url stringlengths 11 2.25k | text stringlengths 88 50k | ts timestamp[s]date 2026-01-13 08:47:33 2026-01-13 09:30:40 |
|---|---|---|
https://reports.jenkins.io/jelly-taglib-ref.html#form.3AreadOnlyTextbox | Jelly Taglib references – Jenkins Jenkins Taglib Documentation Last Published: 2025-12-08 | Version: 2.528.3 | Homepage / Jelly Taglib references The following Jelly tag libraries are defined in this project. Namespace URI Description /lib/form /lib/form /lib/hudson /lib/hudson /lib/test /lib/test /lib/hudson/project Tag files used in project pages /lib/layout/dropdowns Tag library that defines components for dropdowns /lib/layout/header Tag library that defines components for headers /lib/layout Tag library that defines the basic layouts of Jenkins pages. /lib/hudson/newFromList These tags provide a higher level primitive for building a form page for creating a new item from a list of descriptors.Used in "create new job" page, for an example. /lib/form /lib/form This tag library is also available as an XML Schema Tag Name Description advanced Expandable section that shows "advanced..." button by default. Upon clicking it, a section unfolds, and the HTML rendered by the body of this tag appears. apply "Apply" button that submits the form but without a page transition. See hudson.util.FormApply for the server-side code. When this button is pressed, the FORM element fires the "jenkins:apply" event that allows interested parties to write back whatever states back into the INPUT elements. block Full-width space in the form table that can be filled with arbitrary HTML. booleanRadio Binds a boolean field to two radio buttons that say Yes/No OK/Cancel Top/Bottom. bottomButtonBar Creates a button bar at the bottom of the page for things like "Submit". The actual buttons should be specified as the body of this tag. This area will always be visible at the bottom of the screen. breadcrumb-config-outline Adds one more in-page breadcrumb that jumps to sections in the page. Put this tag right before <l:main-panel> checkbox <input type="checkbox"> tag that takes true/false for @checked, which is more Jelly friendly. class-entry Invisible <f:entry> type for embedding a descriptor's $class field. Most of the time a Descriptor has an unique class name that we can use to instantiate the right Describable class, so we use the '$class' to represent that to clarify the intent. In some other times, such as templates, there are multiple Descriptors with the same Descriptor.clazz but different IDs, and in that case we put 'kind' to indicate that. In this case, to avoid confusing readers we do not put non-unique '$class'. See Descriptor.newInstancesFromHeteroList for how the reader side is handled. combobox Editable drop-down combo box that supports the data binding and AJAX updates. Your descriptor should have the 'doFillXyzItems' method, which returns a ComboBoxModel representation of the items in your combo box, and your instance field should hold the current value. For a read only input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support description Renders a row that shows description text below an input field. descriptorList Generate config pages from a list of Descriptors into a section. descriptorRadioList Generate config pages from a list of Descriptors into a section. dropdownDescriptorSelector Renders a single <select> control for choosing a Describable. Depending on the currently selected value, its config.jelly will be rendered below <select>, allowing the user to configure Describable. dropdownList Foldable block expanded when the corresponding item is selected in the drop-down list. dropdownListBlock Foldable block expanded when the corresponding item is selected in the drop-down list. editableComboBox Editable drop-down combo box. Deprecated as of 1.356. Use f:combobox and databinding instead. editableComboBoxValue Used inside <f:editableComboBox/> to specify one value of a combobox. Normally one would use multiple values. entry An entry of the <f:form>, which is one logical row (that consists of several <TR> tags. One entry normally host one control. enum Binds an enum field to a <select> element. The body of this tag is evaluated for each enum value, which is passed as 'it'. enumSet Binds a set of Enum to a list of checkboxes, each with the label taken from enum Enum.toString() Should be used inside an <f:entry field='...'> element. expandableTextbox A single-line textbox that can be expanded into a multi-line textarea. This control is useful for a field that expects multiple whitespace-separated tokens (such as URLs, glob patterns, etc.) When the user only enters a few tokens, they can keep it as a single line to save space, but to enter a large number of values, this can be turned into textarea for better visibility. If the initial value is already multi-line text, the control starts with textarea. On the server side, your program is responsible for treating ' ', \t, \r, and \n for separators. (StringTokenizer would do this.) file Generates an input field All unknown attributes are passed through to the field. @since 2.385 form Outer-most tag of the entire form taglib, that generates <form> element. helpArea Place holder to lazy-load help text via AJAX. helpLink Outputs a help link for a <f:form> item if help is available or a spacer if none is available. The help link is rendered as a table cell with an (?) icon. If the user clicks it, the content of the HTML fragment at the given URL is rendered in the area designated as <f:helpArea> by the caller, usually in a row beneath the item with help. The alternative spacer is just an empty table cell. This tag was introduced to ensure that the space reserved for help items is consistent over the UI whether or not help exists. @since 1.576 hetero-list Outer most tag for creating a heterogeneous list, where the user can choose arbitrary number of arbitrary items from the given list of descriptors, and configure them independently. The submission can be data-bound into List<T> where T is the common base type for the describable instances. For databinding use, please use <f:repeatableHeteroProperty /> hetero-radio Sibling of hetero-list, which only allows the user to pick one type from the list of descriptors and configure it. invisibleEntry Invisible <f:entry> type. Useful for adding hidden field values. link Generates an anchor element with the ability to send POST requests. @since 1.584 nested number Generates an input field to be used inside <f:entry/> option <option> tag for the <select> element that takes true/false for selected. optionalBlock Foldable block that can be expanded to show more controls by checking the checkbox. optionalProperty Renders inline an optional single-value nested data-bound property of the current instance, by using a <f:optionalBlock> This is useful when your object composes another data-bound object, and when that's optional, where the absence of the value is signified as null (in which case the optionalBlock will be drawn unchecked), and the presence of the value. password Glorified <input type="password"> possibleReadOnlyField prepareDatabinding Modifies the 'attrs.field' of the parent to inherit @field from the enclosing <f:entry> if available. Also computes the @checkUrl attribute. property Renders inline a single-value nested data-bound property of the current instance. This is useful when your object composes another data-bound object as a nested object, yet your UI would still like to render it radio <input type="radio"> tag that takes true/false for @checked, which is more Jelly friendly. Note that Safari doesn't support onchange. Beware that the name attribute should be uniquified among all radio blocks on the page, such as by prefixing it with "G0025." or whatever gensym. For a read only radio input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support radioBlock Radio button with a label that hides additional controls. When checked, those additional controls are displayed. This is useful for presenting mutually exclusive options, where each option comes with a sub-form that provides additional configuration. readOnlyTextbox Generates an input field to be used inside <f:entry/> repeatable Repeatable blocks used to present UI where the user can configure multiple entries of the same kind (see the Java installations configuration in the system config.) This tag works like <j:forEach> and repeatedly evaluate the body so that initially all the items get their own copy. This tag also evaluate the body once more with var=null to create a 'master copy', which is the template entry used when a new copy is inserted. HTML structure This tag mainly produces the nested DIVs with CSS classes as follows: <div class="repeated-container"> // container for the whole thing <div class="repeated-chunk"> ... copy 1 ... <div class="repeated-chunk"> ... copy 2 ... ... The 'repeated-chunk' DIVs will also have additional CSS classes that represent their positions among siblings: first : first chunk among the siblings last : last chunk among the siblings middle: neither first nor last only : it is the only chunk (automatically get first and last at the same time) Usage Note The caller of this tag should define a button to add a new copy and delete the current copy. Such buttons should have 'repeatable-add' CSS class and 'repeatable-delete' CSS class respectively (it can have other CSS classes), so that their event handlers get properly wired up. The positional CSS classes on 'repeated-chunk' DIVs (as explained above) can be used to control the visibility of such buttons. For example, this allows you to hide 'delete' button if there's only one item, or only show 'add' button on the last row. There are a few CSS classes already defined in style.css for this purpose. repeatableDeleteButton Delete button for the <repeatable> tag. repeatableHeteroProperty Data-bound only version of <f:hetero-list> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. repeatableProperty Data-bound only version of <f:repeatable> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. Unless that nested config.jelly already adds a delete button (deprecated), you should normally put the following inside this tag: <f:block> <div align="right"> <f:repeatableDeleteButton /> </div> </f:block> Due to a bug in Stapler data binding the model elements are only set if they consist of one or more values. If all values have been removed in the user interface (i.e. the associated form is empty), then the setter is not invoked anymore. As a workaround, you need to override the corresponding configure method and clear the model property manually before invoking the data binding. See warnings-ng-plugin PR#266. rowSet Adds @nameRef to all table rows inside this tag, so that when the form is submitted, it gets grouped in one JSON object. saveApplyBar Creates the bottom bar for the "Save" and "Apply" buttons. In read only mode (<j:set var="readOnlyMode" value="true"/>) the buttons are not displayed. secretTextarea Enhanced version of <f:textarea/> for editing multi-line secrets. Example usage: <j:jelly xmlns:j="jelly:core" xmlns:f="/lib/form"> <f:entry title="Secret" field="secret"> <f:secretTextarea/> </f:entry> <f:entry title="Secret 2"> <f:secretTextarea field="secret2"/> </f:entry> <f:entry title="Another Secret"> <f:secretTextarea name="foo" value="${it.foo}"/> </f:entry> </j:jelly> section Section header in the form table. select Glorified <select> control that supports the data binding and AJAX updates. Your descriptor should have the 'doFillXyzItems' method, which returns a ListBoxModel representation of the items in your drop-down list box, and your instance field should hold the current value. slave-mode A listbox for choosing the agent's usage. submit Submit button. This should be always used instead of the plain <button> tag. textarea <textarea> tag on steroids. The textarea will be rendered to fit the content. It also gets the resize handle. textbox Generates an input field to be used inside <f:entry/> For a read only input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support toggleSwitch <input type="checkbox"> tag that takes true/false for @checked, which is more Jelly friendly. validateButton See https://www.jenkins.io/doc/developer/forms/jelly-form-controls/ for the reference. withCustomDescriptorByName Execute the body with a temporary currentDescriptorByNameUrl value advanced Expandable section that shows "advanced..." button by default. Upon clicking it, a section unfolds, and the HTML rendered by the body of this tag appears. Attribute Name Type Description title - Caption of the button. By default "Advanced" apply "Apply" button that submits the form but without a page transition. See hudson.util.FormApply for the server-side code. When this button is pressed, the FORM element fires the "jenkins:apply" event that allows interested parties to write back whatever states back into the INPUT elements. Attribute Name Type Description value - The text of the apply button. This tag does not accept any child elements/text. block Full-width space in the form table that can be filled with arbitrary HTML. booleanRadio Binds a boolean field to two radio buttons that say Yes/No OK/Cancel Top/Bottom. Attribute Name Type Description false - Text to be displayed for the 'false' value. Defaults to 'No'. field - Databinding field. true - Text to be displayed for the 'true' value. Defaults to 'Yes'. This tag does not accept any child elements/text. bottomButtonBar Creates a button bar at the bottom of the page for things like "Submit". The actual buttons should be specified as the body of this tag. This area will always be visible at the bottom of the screen. breadcrumb-config-outline Adds one more in-page breadcrumb that jumps to sections in the page. Put this tag right before <l:main-panel> Attribute Name Type Description title - Optional title for this breadcrumb This tag does not accept any child elements/text. checkbox <input type="checkbox"> tag that takes true/false for @checked, which is more Jelly friendly. Attribute Name Type Description checked - class - default - The default value of the checkbox, in case both @checked and @instance are null. If this attribute is unspecified or null, it defaults to unchecked, otherwise checked. description - Optional description for the checkbox field - Used for databinding. TBD. id - json - Normally, the submitted JSON will be boolean indicating whether the checkbox was checked or not. This is sometimes inconvenient if you have a UI that lets user select a subset of a set. If this attribute is present, the submitted JSON will have this as a string value if the checkbox is checked, and none otherwise, making the subset selection easier. name - negative - onclick (deprecated) - Inline JavaScript to execute when the checkbox is clicked. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'class' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. readonly (deprecated) - If set to true, this will take precedence over the onclick attribute and prevent the state of the checkbox from being changed. Note: if you want an actual read only checkbox then add: <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support title - If specified, this human readable text will follow the checkbox, and clicking this text also toggles the checkbox. tooltip - Used as tooltip of the checkbox, and, if a title is specified, of the title value - This tag does not accept any child elements/text. class-entry Invisible <f:entry> type for embedding a descriptor's $class field. Most of the time a Descriptor has an unique class name that we can use to instantiate the right Describable class, so we use the '$class' to represent that to clarify the intent. In some other times, such as templates, there are multiple Descriptors with the same Descriptor.clazz but different IDs, and in that case we put 'kind' to indicate that. In this case, to avoid confusing readers we do not put non-unique '$class'. See Descriptor.newInstancesFromHeteroList for how the reader side is handled. Attribute Name Type Description clazz - The describable class that we are instantiating via structured form submission. descriptor - The descriptor of the describable that we are instantiating via structured form submission. Mutually exclusive with clazz. This tag does not accept any child elements/text. combobox Editable drop-down combo box that supports the data binding and AJAX updates. Your descriptor should have the 'doFillXyzItems' method, which returns a ComboBoxModel representation of the items in your combo box, and your instance field should hold the current value. For a read only input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support Attribute Name Type Description checkMethod String Specify 'get' (must be lowercase) to change the HTTP method used for the AJAX requests to @checkUrl from a POST to a GET. If any other value is specified then requests will use POST. The historical default was GET and 'post' had to be specified to change that, but this was changed in Jenkins 2.285. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS classes that the control gets. default - The default value of the combo box, in case both @value and 'instance field ' are null. field - Used for databinding. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. description Renders a row that shows description text below an input field. descriptorList Generate config pages from a list of Descriptors into a section. Attribute Name Type Description description - Optional attribute to set a description for the section descriptors (required) - hudson.model.Descriptor collection whose configuration page is rendered. field - Either @field or @instances are required (or @field may be inherited from the ancestor <entry> element). If field is specified, instances are assumed to be instance field . When this attribute is specified, JSON structure is properly set up so that the databinding can set the field (or pass this collection as a constructor parameter of the same name. This is more modern way of doing databinding, and thus preferred approach. forceRowSet - If specified, instead of a sequence of <f:optionalBlock>s, draw a sequence of <rowSet>s. icon - Sets the icon on the sidebar item for the section anchor link The icon isn't visible in the section itself instances - Map<Descriptor,Describable> that defines current instances of those descriptors. These are used to fill initial values. Other classes that define the get(Descriptor) method works fine, too, such as DescribableList. targetType - the type for which descriptors will be configured. default to ${it.class} title - Human readable title of the section to be rendered in HTML. descriptorRadioList Generate config pages from a list of Descriptors into a section. Attribute Name Type Description descriptors (required) - hudson.model.Descriptor collection whose configuration page is rendered. instance (required) - The currently configured instance used to fill the initial values of the form. targetType - the type for which descriptors will be configured. default to ${it.class} title (required) - Human readable title of the section to be rendered in HTML. varName (required) - Used as a variable name as well as block name. dropdownDescriptorSelector Renders a single <select> control for choosing a Describable. Depending on the currently selected value, its config.jelly will be rendered below <select>, allowing the user to configure Describable. Attribute Name Type Description capture - Config fragments from descriptors are rendered lazily by default, which means variables seen in the caller aren't visible to them. This attribute allows you to nominate additional variables and their values to be captured for descriptors. default - If specified, this will be chosen as the default value in case the current selection is null. The default can be a specific instance or a descriptor e.g. ${descriptor.defaultSettingsProvider} or ${descriptor.defaultSettingsProvider.descriptor}. In the later case, the from input fields will be empty. descriptors - Collection that lists up all the valid candidate descriptors. If unspecified, inferred from the type of the field. field (required) - Form field name. Used for databinding. title (required) - Human readable title of this control. dropdownList Foldable block expanded when the corresponding item is selected in the drop-down list. Attribute Name Type Description help - Path to the inline help. See <f:entry help="..." /> name (required) - name of the drop-down list. title - Human readable title text of this drop-down listbox. Shown in the same position as <f:entry title="..." /> dropdownListBlock Foldable block expanded when the corresponding item is selected in the drop-down list. Attribute Name Type Description lazy - If specified, the content of the dropdownListBlock will be rendered lazily when it first becomes visible. The attribute value must be the variables to be captured. See the @capture of <renderOnDemand> tag. selected boolean is this value initially selected? staplerClass - provide hint for stapler data binding. typically set to ${descriptor.clazz.name} if dropdownList is for a list of descriptors. title (required) - human readable text displayed for this list item. value (required) - value of the list item. set to <option value="..."> editableComboBox Editable drop-down combo box. Deprecated as of 1.356. Use f:combobox and databinding instead. Attribute Name Type Description clazz - Additional CSS classes that the control gets. field - Used for databinding. items - List of possible values. Either this or nested <f:editableComboBoxValue/>s are required. editableComboBoxValue Used inside <f:editableComboBox/> to specify one value of a combobox. Normally one would use multiple values. Attribute Name Type Description value (required) - This tag does not accept any child elements/text. entry An entry of the <f:form>, which is one logical row (that consists of several <TR> tags. One entry normally host one control. Attribute Name Type Description class - Classes to apply to the form item description - If it's not obvious to the user as to what the control expects, specify some description text (which currently gets rendered as small text under the control, but that may change.) This text shouldn't get too long, and in recent Hudson, this feature is somewhat de-emphasized, in favor of the inline foldable help page specified via @help. This content is HTML (unless the boolean variable escapeEntryTitleAndDescription is set). Use h.escape if necessary. field - Used for the databinding. TBD. When this attribute is specified, @help is inferred, and nested input controls don't need the @field nor @name. help - URL to the HTML page. When this attribute is specified, the entry gets a (?) icon on the right, and if the user clicks it, the contents of the given URL is rendered as a box below the entry. The URL should return an HTML document wrapped in a <div> tag. The URL is interpreted to be rooted at the context path of Hudson, so it's normally something like "/plugin/foobar/help/abc.html". title - Name of the entry. Think of this like a label for the control. This content is HTML (unless the boolean variable escapeEntryTitleAndDescription is set). Use h.escape if necessary. enum Binds an enum field to a <select> element. The body of this tag is evaluated for each enum value, which is passed as 'it'. Attribute Name Type Description default - The name of the enum to set as default value for the first configuration. field - Used for databinding. TBD. enumSet Binds a set of Enum to a list of checkboxes, each with the label taken from enum Enum.toString() Should be used inside an <f:entry field='...'> element. Attribute Name Type Description field - Used for databinding. This tag does not accept any child elements/text. expandableTextbox A single-line textbox that can be expanded into a multi-line textarea. This control is useful for a field that expects multiple whitespace-separated tokens (such as URLs, glob patterns, etc.) When the user only enters a few tokens, they can keep it as a single line to save space, but to enter a large number of values, this can be turned into textarea for better visibility. If the initial value is already multi-line text, the control starts with textarea. On the server side, your program is responsible for treating ' ', \t, \r, and \n for separators. (StringTokenizer would do this.) Attribute Name Type Description field - Used for databinding. TBD. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. file Generates an input field All unknown attributes are passed through to the field. @since 2.385 Attribute Name Type Description accept - Defines the file types the file input should accept. This string is a comma-separated list. clazz - Additional CSS class(es) to add. field - Used for databinding. jsonAware - Enable structured form submission. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. This tag does not accept any child elements/text. form Outer-most tag of the entire form taglib, that generates <form> element. Attribute Name Type Description action (required) - @action of the form field. The URL where the submission is sent. autocomplete - Optional attribute for allowing browsers to perform auto complete or pre-fill the form from history. Default: false class - Classes to apply to the form enctype - @enctype of the <form> HTML element. id - ID of the form. method (required) - Submission method. Either post or get. name (required) - @name of the form. In HTML this is not a mandatory attribute, but in Hudson you should have it for testing and page scraping, so this attribute is marked required. tableClass - Optional class attribute for <table> that is created in the form. target - @target of the <form> HTML element. Works like <a target="..."> and controls which window the result of the submission goes to. helpArea Place holder to lazy-load help text via AJAX. This tag does not accept any child elements/text. helpLink Outputs a help link for a <f:form> item if help is available or a spacer if none is available. The help link is rendered as a table cell with an (?) icon. If the user clicks it, the content of the HTML fragment at the given URL is rendered in the area designated as <f:helpArea> by the caller, usually in a row beneath the item with help. The alternative spacer is just an empty table cell. This tag was introduced to ensure that the space reserved for help items is consistent over the UI whether or not help exists. @since 1.576 Attribute Name Type Description featureName - Name of the feature described by the help text, used for constructing the icon's alt attribute. Optional. url - URL to the HTML page. Optional. If not given, no help icon is displayed. The URL should return a UTF-8 encoded HTML fragment wrapped in a <div> tag. The URL is interpreted to be rooted at the context path of Jenkins, so it's normally something like "/plugin/foobar/help/abc.html". This tag does not accept any child elements/text. hetero-list Outer most tag for creating a heterogeneous list, where the user can choose arbitrary number of arbitrary items from the given list of descriptors, and configure them independently. The submission can be data-bound into List<T> where T is the common base type for the describable instances. For databinding use, please use <f:repeatableHeteroProperty /> Attribute Name Type Description addCaption - caption of the 'add' button. capture - Config fragments from descriptors are rendered lazily by default, which means variables seen in the caller aren't visible to them. This attribute allows you to nominate additional variables and their values to be captured for descriptors. deleteCaption - caption of the 'delete' button. descriptors (required) - all types that the user can add. disableDragAndDrop java.lang.Boolean If true the drag and drop will not be activated. This just removes the drag and drop UI, it will not prevent users from manually submitting a different order. hasHeader - For each item, add a caption from descriptor.getDisplayName(). This also activates drag&drop (where the header is a grip), and help text support. honorOrder - If true, insert new addition by default to their 'desired' location, which is the order induced by the descriptors. items (required) java.util.Collection existing items to be displayed. Something iterable, such as array or collection. menuAlign - Menu alignment against the button. Defaults to tl-bl name (required) - form name that receives an array for all the items in the heterogeneous list. oneEach - If true, only allow up to one instance per descriptor. targetType - the type for which descriptors will be configured. Defaults to ${it.class} (optional) titleClassMethod - If set to an item of the form , it will be used to call to calculate each item title. hetero-radio Sibling of hetero-list, which only allows the user to pick one type from the list of descriptors and configure it. Attribute Name Type Description descriptors (required) - all types that the user can add. field (required) - Field name in the parent object where databinding happens. This tag does not accept any child elements/text. invisibleEntry Invisible <f:entry> type. Useful for adding hidden field values. link Generates an anchor element with the ability to send POST requests. @since 1.584 Attribute Name Type Description clazz - Additional CSS classes. href - Link destination URL. post - If this must send a POST request. nested number Generates an input field to be used inside <f:entry/> Attribute Name Type Description checkMessage - Override the default error message when client-side validation fails, as with clazz="required", etc. checkMethod String Specify 'get' (must be lowercase) to change the HTTP method used for the AJAX requests to @checkUrl from a POST to a GET. If any other value is specified then requests will use POST. The historical default was GET and 'post' had to be specified to change that, but this was changed in Jenkins 2.285. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS class(es) to add (such as client-side validation clazz="required", "number" or "positive-number"; these may be combined, as clazz="required number"). default - The default value of the text box, in case both @value is and 'instance field ' is null. field java.lang.String Used for databinding. TBD. max - The maximum of the @value. This becomes the @max of the <input> tag. This will work only @clazz is 'number', 'number-required', 'non-negative-number-required', 'positive-number', 'positive-number-required'. If specified, the @value should be less than this value, or errors will be rendered under the text field. If this value contains non-digit characters, it will not work. If @min is specified and @min is greater than this value, both @min and @max will not work. min - The minimum of the @value. This becomes the @min of the <input> tag. This will work only @clazz is 'number', 'number-required', 'non-negative-number-required', 'positive-number', 'positive-number-required'. If specified, the @value should be greater than this value, or errors will be rendered under the text field. If this value contains non-digit characters, it will not work. If @max is specified and @max is less than this value, both @min and @max will not work. name java.lang.String This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. option <option> tag for the <select> element that takes true/false for selected. Attribute Name Type Description selected boolean If true, the option value appears as selected. value - The value to be sent when the form is submitted. If omitted, the body of the tag will be placed in the value attribute as well (due to the browser incompatibility between IE and Firefox, value attribute must be included). optionalBlock Foldable block that can be expanded to show more controls by checking the checkbox. Attribute Name Type Description checked - initial checkbox status. true/false. field - Used for databinding. TBD. Either this or @name/@title combo is required. help - If present, the (?) icon will be rendered on the right to show inline help. See @help for <f:entry>. inline - if present, the foldable section will not be grouped into a separate JSON object upon submission name - Name of the checkbox. Can be used by the server to determine if the block is collapsed or expanded at the time of submission. Note that when the block is collapsed, none of its child controls will send the values to the server (unlike <f:advanced>) negative - if present, the foldable section expands when the checkbox is unchecked. title - Human readable text that follows the checkbox. If this field is null, the checkbox degrades to a <f:rowSet>, which provides a grouping at JSON level but on the UI there's no checkbox (and you always see the body of it.) optionalProperty Renders inline an optional single-value nested data-bound property of the current instance, by using a <f:optionalBlock> This is useful when your object composes another data-bound object, and when that's optional, where the absence of the value is signified as null (in which case the optionalBlock will be drawn unchecked), and the presence of the value. Attribute Name Type Description field (required) - help - title (required) - This tag does not accept any child elements/text. password Glorified <input type="password"> Attribute Name Type Description checkMessage - Override the default error message when client-side validation fails, as with clazz="required", etc. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS class(es) to add (such as client-side validation clazz="required", "number" or "positive-number"; these may be combined, as clazz="required number"). field - Used for databinding. TBD. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. possibleReadOnlyField prepareDatabinding Modifies the 'attrs.field' of the parent to inherit @field from the enclosing <f:entry> if available. Also computes the @checkUrl attribute. This tag does not accept any child elements/text. property Renders inline a single-value nested data-bound property of the current instance. This is useful when your object composes another data-bound object as a nested object, yet your UI would still like to render it Attribute Name Type Description field (required) - propertyDescriptor - If specified, bypass the item descriptor inference and use this instead. This tag does not accept any child elements/text. radio <input type="radio"> tag that takes true/false for @checked, which is more Jelly friendly. Note that Safari doesn't support onchange. Beware that the name attribute should be uniquified among all radio blocks on the page, such as by prefixing it with "G0025." or whatever gensym. For a read only radio input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support Attribute Name Type Description checked - id - name - onclick (deprecated) - Inline JavaScript to execute when the checkbox is clicked. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'class' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. title - If specified, this human readable text will follow the radio, and clicking this text also toggles the radio. value - radioBlock Radio button with a label that hides additional controls. When checked, those additional controls are displayed. This is useful for presenting mutually exclusive options, where each option comes with a sub-form that provides additional configuration. Attribute Name Type Description checked (required) boolean Should this control be initially checked or not? help - If specified, the (?) help icon will be rendered on the right, for in place help text. See <f:entry> for the details. inline - if present, the folded section will not be grouped into a separate JSON object upon submission. name (required) - Name of the radio button group. Radio buttons that are mutually exclusive need to have the same name. title (required) - Human readable label text to be rendered next to the radio button. value (required) - @value of the <input> element. readOnlyTextbox Generates an input field to be used inside <f:entry/> Attribute Name Type Description checkMessage - Override the default error message when client-side validation fails, as with clazz="required", etc. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS class(es) to add (such as client-side validation clazz="required", "number" or "positive-number"; these may be combined, as clazz="required number"). default - The default value of the text box, in case both @value is and 'instance field ' is null. field - Used for databinding. TBD. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. onchange (deprecated) - Inline JavaScript to execute when the textbox is changed. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'clazz' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. onkeyup (deprecated) - Inline JavaScript to execute when the keyup event is fired. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'clazz' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. repeatable Repeatable blocks used to present UI where the user can configure multiple entries of the same kind (see the Java installations configuration in the system config.) This tag works like <j:forEach> and repeatedly evaluate the body so that initially all the items get their own copy. This tag also evaluate the body once more with var=null to create a 'master copy', which is the template entry used when a new copy is inserted. HTML structure This tag mainly produces the nested DIVs with CSS classes as follows: <div class="repeated-container"> // container for the whole thing <div class="repeated-chunk"> ... copy 1 ... <div class="repeated-chunk"> ... copy 2 ... ... The 'repeated-chunk' DIVs will also have additional CSS classes that represent their positions among siblings: first : first chunk among the siblings last : last chunk among the siblings middle: neither first nor last only : it is the only chunk (automatically get first and last at the same time) Usage Note The caller of this tag should define a button to add a new copy and delete the current copy. Such buttons should have 'repeatable-add' CSS class and 'repeatable-delete' CSS class respectively (it can have other CSS classes), so that their event handlers get properly wired up. The positional CSS classes on 'repeated-chunk' DIVs (as explained above) can be used to control the visibility of such buttons. For example, this allows you to hide 'delete' button if there's only one item, or only show 'add' button on the last row. There are a few CSS classes already defined in style.css for this purpose. Attribute Name Type Description add - If specified, this text will replace the standard "Add" text. default - Use this collection for items if items or @field is null enableTopButton - true if a new Add button, for adding new copy of repeatable item, should be displayed above repeatable form. Display of top button depends also on number of items. If there is no item, only one button is displayed. When at least one item is present, there are two buttons displayed (only when enableTopButton is true). One above and one below. Top button adds item on top of repeatable form. Bottom button adds item on the bottom of repeatable form. field - Used for the data binding. header - For each item, add this header. This also activates drag&drop (where the header is a grip). items - The item collection to loop over. Required unless @field is given. minimum - At least provide this number of copies initially. minimum="1" is useful to make sure there's always at least one entry for the user to fill in. name - name used in the structured form submission. Defaults to the same name as @var. noAddButton - true if the default 'add' button (that adds a new copy) shouldn't be displayed. When you use this attribute, var - variable that receives the item of the current iteration. Accessible from the body. Required unless @field is given. varStatus - Status variable that indicates the loop status. repeatableDeleteButton Delete button for the <repeatable> tag. Attribute Name Type Description value - Caption of the button. Defaults to 'Delete'. This tag does not accept any child elements/text. repeatableHeteroProperty Data-bound only version of <f:hetero-list> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. Attribute Name Type Description addCaption - caption of the 'add' button. capture - Config fragments from descriptors are rendered lazily by default, which means variables seen in the caller aren't visible to them. This attribute allows you to nominate additional variables and their values to be captured for descriptors. deleteCaption - caption of the 'delete' button. field - Used for the data binding. hasHeader - For each item, add a caption from descriptor.getDisplayName(). This also activates drag&drop (where the header is a grip), and help text support. honorOrder - If true, insert new addition by default to their 'desired' location, which is the order induced by the descriptors. menuAlign - Menu alignment against the button. Defaults to tl-bl oneEach - If true, only allow up to one instance per descriptor. targetType - the type for which descriptors will be configured. Defaults to ${it.class} (optional) This tag does not accept any child elements/text. repeatableProperty Data-bound only version of <f:repeatable> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. Unless that nested config.jelly already adds a delete button (deprecated), you should normally put the following inside this tag: <f:block> <div align="right"> <f:repeatableDeleteButton /> </div> </f:block> Due to a bug in Stapler data binding the model elements are only set if they consist of one or more values. If all values have been removed in the user interface (i.e. the associated form is empty), then the setter is not invoked anymore. As a workaround, you need to override the corresponding configure method and clear the model property manually before invoking the data binding. See warnings-ng-plugin PR#266. Attribute Name Type Description add - If specified, this text will replace the standard "Add" text. default - The default value to use for this collection when 'instance field ' is null. enableTopButton - true if a new Add button, for adding new copy of repeatable item, should be displayed above repeatable form. Display of top button depends also on number of items. If there is no item, only one button is displayed. When at least one item is present, there are two buttons displayed (only when enableTopButton is true). One above and one below. Top button adds item on top of repeatable form. Bottom button adds item on the bottom of repeatable form. field - Used for the data binding. header - For each item, add this header. This also activates drag&drop (where the header is a grip). minimum - At least provide this number of copies initially. minimum="1" is useful to make sure there's always at least one entry for the user to fill in. noAddButton - true if the default 'add' button (that adds a new copy) shouldn't be displayed. When you use this attribute, rowSet Adds @nameRef to all table rows inside this tag, so that when the form is submitted, it gets grouped in one JSON object. Attribute Name Type Description name - if the group head is not available outside, use this attribute to specify the name. @name and @ref are mutually exclusive. ref - id of the thing that serves as the group head, if that's available separately saveApplyBar Creates the bottom bar for the "Save" and "Apply" buttons. In read only mode (<j:set var="readOnlyMode" value="true"/>) the buttons are not displayed. This tag does not accept any child elements/text. secretTextarea Enhanced version of <f:textarea/> for editing multi-line secrets. Example usage: <j:jelly xmlns:j="jelly:core" xmlns:f="/lib/form"> <f:entry title="Secret" field="secret"> <f:secretTextarea/> </f:entry> <f:entry title="Secret 2"> <f:secretTextarea field="secret2"/> </f:entry> <f:entry title="Another Secret"> <f:secretTextarea name="foo" value="${it.foo}"/> </f:entry> </j:jelly> Attribute Name Type Description checkMethod String Specify 'get' (must be lowercase) to change the HTTP method used for the AJAX requests to @checkUrl from a POST to a GET. If any other value is specified then requests will use POST. The historical default was GET and 'post' had to be specified to change that, but this was changed in Jenkins 2.285. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the r | 2026-01-13T09:29:34 |
https://www.cloudflare.com/fr-fr/coffee-shop-networking/ | Le coffee shop networking grâce à Cloudflare | Cloudflare S’inscrire Langues English English (United Kingdom) Deutsch Español (Latinoamérica) Español (España) Français Italiano 日本語 한국어 Polski Português (Brasil) Русский 繁體中文 简体中文 Plateforme Cloud de connectivité Le cloud de connectivité Cloudflare propose plus de 60 services d'amélioration des performances, de la sécurité et de la connectivité réseau. Enterprise Pour les grandes et moyennes entreprises PME Pour les petites entreprises Partenaire Devenez partenaire de Cloudflare Scénarios d'utilisation Moderniser les applications Accélérer les performances Garantir la disponibilité des applications Optimiser l'expérience web Moderniser la sécurité Remplacer les VPN Se protéger contre le phishing Sécuriser les applications et les API web Moderniser les réseaux Coffee shop networking Moderniser le WAN Simplifier votre réseau d'entreprise Sujets pour cadres dirigeants Adoptez l'IA Intégrez l'IA à vos effectifs et à vos expériences numériques Sécurité de l'IA Sécurisez vos applications d'IA agentique et d'IA générative Conformité des données Rationalisez la conformité et minimisez les risques Chiffrement post-quantique Protégez vos données et respectez les normes de conformité Secteurs Santé Banque Commerce Jeux Secteur public Ressources Guides produits Architectures de référence Rapports d'analyse S'informer Événements Démos Webinaires Ateliers Demander une démo Produits Produits Sécurité de l&#039;espace de travail Accès réseau Zero Trust Passerelle web sécurisée Sécurité du courrier électronique CASB (Cloud Access Security Broker) Sécurité des applications Protection anti-DDoS de la couche 7 Pare-feu applicatif web (WAF) Sécurité des API Gestion des bots Performances des applications CDN DNS Routage intelligent Load balancing Connectivité réseau et SASE Protection anti-DDoS des couches 3/4 NaaS/SD-WAN Pare-feu en tant que service Interconnexion réseau offres et tarifs Offres Enterprise Offres pour PME Offres pour particuliers Comparer les offres Services mondiaux Offres support et Success groupées Expérience Cloudflare optimisée Services professionnels Mise en œuvre dirigée par des experts Gestion de compte technique Gestion technique ciblée Service des opérations de sécurité Surveillance et réponse aux incidents de Cloudflare Enregistrement de nom de domaine Acheter et gérer des domaines 1.1.1.1 Résolveur DNS gratuit Ressources Guides produits Architectures de référence Rapports d'analyse Démonstrations et tours d'horizon des produits M'aider à choisir Développeurs Documentation Bibliothèque pour développeurs Documentation et guides Démos d'applications Découvrez ce que vous pouvez développer Didacticiels Didacticiels de développement étape par étape Architecture de référence Schémas et modèles de conception Produits Intelligence artificielle AI Gateway Observez et contrôlez les applications IA Workers AI Exécutez des modèles d'apprentissage automatique sur notre réseau Calcul Observability Journaux, indicateurs et traces Workers Développez et déployez des applications serverless Médias Images Transformez et optimisez les images Realtime Développez des applications audio/vidéo en temps réel Stockage et base de données D1 Créez des bases de données SQL serverless R2 Stockez vos données sans frais de trafic sortant élevés Offres et tarifs Workers Développez et déployez des applications serverless Workers KV Un espace de stockage clé-valeur serverless pour les applications R2 Stockez vos données sans les coûteux frais de trafic sortant Découvrez nos projets Témoignages de clients Démo de l'IA en 30 secondes Guide rapide de la prise en main Explorer Workers Playground Développez, testez et déployez Discord pour développeurs Rejoignez la communauté Commencer à développer Partenaires Réseau de partenaires Développez, innovez et répondez aux besoins de vos clients grâce à Cloudflare Portail des partenaires Localisez vos ressources et enregistrez vos contrats Types de partenariats Programme PowerUP Développez votre activité tout en assurant la connectivité et la sécurité de vos clients Partenaires technologiques Découvrez notre écosystème de partenaires technologiques et d'intégrateurs Intégrateurs de systèmes mondiaux Soutenez la fluidité de la transformation numérique à grande échelle Fournisseurs de services Découvrez notre réseau d'estimés fournisseurs de services. Programme Agency en libre-service Gérez des comptes en libre-service pour vos clients Portail peer-to-peer Informations sur le trafic pour votre réseau Trouvez un partenaire Dynamisez votre entreprise dans le cadre du programme de partenariat PowerUP : entrez en contact avec les partenaires Cloudflare Powered+. Ressources S'informer Démos et découvertes de produits Démos de produits à la demande Études de cas Favorisez votre réussite avec Cloudflare Webinaires Discussions instructives Ateliers Ateliers virtuels Bibliothèque Guides utiles, feuilles de route et autres Rapports Informations issues des recherches Cloudflare Blog Analyses techniques approfondies et actualités produits Centre d'apprentissage Outils de formation et contenu pratique Développer Architecture de référence Guides techniques Guides des solutions et des produits Documentation des produits Documentation Documentation pour les développeurs Explorer theNET Informations pour les dirigeants des entreprises numériques Cloudflare TV Séries et événements innovants Cloudforce One Recherche et opérations sur les menaces Radar Tendances en matière de trafic Internet et de sécurité Rapports d'analyse Rapports d'étude sectoriels Événements Événements régionaux à venir Confiance, confidentialité et conformité Informations et politiques en matière de conformité Assistance Nous contacter Forum de la communauté Vous avez perdu l'accès à votre compte ? Discord pour développeurs Obtenir de l'aide Entreprise Informations sur l'entreprise Leadership Découvrez nos dirigeants Relations investisseurs Informations pour les investisseurs Presse Explorez les actualités récentes Emploi Découvrez les postes vacants Confiance, confidentialité et sécurité Confidentialité Politiques, données et protection Confiance Politiques, processus et sécurité Conformité Certification et réglementation Transparence Politiques et déclarations Intérêt public Assistance humanitaire Projet Galileo Administration Projet Athenian Élections Cloudflare for Campaigns Santé Projet Fair Shot Réseau mondial Points d'implantation mondiaux et état du réseau Connexion Contacter le service commercial Mettre en œuvre le coffee shop networking avec Cloudflare Améliorez l’expérience utilisateur et réduisez l’infrastructure réseau existante Utilisez la plateforme SASE cloud-native répartie à travers le de Cloudflare pour simplifier l’accès aux applications et rationaliser la connectivité réseau des succursales. Contacter un expert Télécharger la présentation La différence Cloudflare Meilleure expérience utilisateur Offrez une expérience d’accès utilisateur simple, rationalisée et sécurisée, quel que soit l’emplacement physique. Réduction du coût total de possession (TCO) Réduire les dépenses d’investissement réalisées en équipements physiques et en connexions réseau privées. Agilité et vitesse à l’échelle du cloud Fournissez rapidement une couverture mondiale, sans avoir à déployer une infrastructure privée. Fonctionnement Les principales étapes à suivre pour mettre en place le coffee shop networking Réduisez vos équipements réseau traditionnels sur site en optant pour les services SASE unifiés et cloud-native de Cloudflare : Travaillez en toute sécurité où que vous soyez, sur site ou à distance, en utilisant Access pour un accès réseau Zero Trust (ZTNA). Connectez vos réseaux en utilisant les options flexibles de Magic WAN pour les succursales et les sites de vente au détail, les datacenters et les clouds. Sécurisez le trafic et bloquez les menaces à l’aide de notre solution SWG (Secure Web Gateway) complète ( Gateway ) et de notre pare-feu en tant que service, Magic Firewall . Surveillez proactivement l’expérience utilisateur, identifiez les problèmes et dépannez les problèmes de santé des appareils et du réseau à l’aide de Digital Experience Monitoring (DEX) . Ce que nos clients en disent « À mesure que nous augmentons le nombre de sites, la configuration de nouveaux réseaux peut s’avérer aussi coûteuse que complexe. » Notre idéal est une situation dans laquelle nous pouvons déposer un appareil n’importe où dans le monde et le faire fonctionner immédiatement. C'est Cloudflare qui nous rend possible ce niveau de normalisation et de simplicité. » Directeur de la technologie, Ocado Simplifiez votre réseau avec les solutions Cloudflare pour le coffee shop networking Lire le livre blanc Pourquoi Cloudflare ? Simplifiez et rationalisez la visibilité et la protection des données pour l’ensemble du trafic La plateforme unifiée de services de connectivité et de sécurité cloud-native de Cloudflare constitue la base idéale pour la protection des données : Architecture composable Répondez à n’importe quelle exigence métier à l’aide d’une programmabilité reposant entièrement sur les API, mais aussi de fonctions de journalisation, de routage, de mise en cache et de déchiffrement personnalisables en fonction de la position géographique. Intégration Préservez l’expérience de vos utilisateurs grâce à l’inspection en une seule passe et à un réseau situé à 50 ms de 95des utilisateurs d’Internet. Informations sur les menaces Bloquez davantage de menaces (connues et inconnues) grâce à des informations issues du blocage de ~234 milliards de menaces chaque jour. Interface unifiée Réduisez la prolifération des outils et la lassitude due aux alertes grâce à une interface d’administration unifiée unique. Ressources Webinaires à la demande Établir les fondations du coffee shop networking Découvrez comment élaborer un plan d'action flexible pour adopter la connectivité réseau des cafés, en s'appuyant sur des scénarios d'utilisation essentiels du SASE. Assister au webinaire Présentation du produit Magic WAN Simplifiez la connectivité réseau depuis les sites de filiales, les VPC multicloud ou les datacenters à l’aide de la plateforme Cloudflare One SASE. En savoir plus Présentation du produit Cloudflare Access Améliorez la productivité et réduisez les risques grâce à l’accès des utilisateurs aux applications auto-hébergées, SaaS ou non web, sans VPN. En savoir plus Contacter le service commercial +1 (888) 99 FLARE Prise en main Offre gratuite Offres pour PME Pour les entreprises Bénéficiez d'une recommandation Demandez une démo Contacter le service commercial Solutions Cloud de connectivité Services pour applications SASE et sécurité de l'espace de travail Services réseau Plateforme pour développeurs Assistance Centre d'aide Support client Forum de la communauté Discord pour développeurs Vous avez perdu l'accès à votre compte ? État de Cloudflare Conformité Ressources en conformité Confiance RGPD IA responsable Rapport de transparence Signaler un abus L'entreprise À propos de Cloudflare Plan du réseau Notre équipe Logos et dossier de presse Diversité, équité et inclusion Impact/ESG Prise en main Offre gratuite Offres pour PME Pour les entreprises Bénéficiez d'une recommandation Demandez une démo Contacter le service commercial Solutions Cloud de connectivité Services pour applications SASE et sécurité de l'espace de travail Services réseau Plateforme pour développeurs Assistance Centre d'aide Support client Forum de la communauté Discord pour développeurs Vous avez perdu l'accès à votre compte ? État de Cloudflare Conformité Ressources en conformité Confiance RGPD IA responsable Rapport de transparence Signaler un abus L'entreprise À propos de Cloudflare Plan du réseau Notre équipe Logos et dossier de presse Diversité, équité et inclusion Impact/ESG © 2026 Cloudflare, Inc. Politique de confidentialité Conditions d'utilisation Signaler des problèmes de sécurité Vos choix en matière de confidentialité Marque commerciale | 2026-01-13T09:29:34 |
http://groovy-lang.org/syntax.html#_keywords | The Apache Groovy programming language - Syntax Socialize Discuss on the mailing-list Groovy on X Groovy on Bluesky Groovy on Mastodon Groovy on LinkedIn Events and conferences Source code on GitHub Report issues in Jira Stack Overflow questions Slack Community You are using an outdated browser. Please upgrade your browser to improve your experience. Apache Groovy™ Learn Documentation Download Support Contribute Ecosystem Blog posts Socialize Table of contents 1. Comments 1.1. Single-line comment 1.2. Multiline comment 1.3. Groovydoc comment 1.4. Shebang line 2. Keywords 3. Identifiers 3.1. Normal identifiers 3.2. Quoted identifiers 4. Strings 4.1. Single-quoted string 4.2. String concatenation 4.3. Triple-single-quoted string 4.3.1. Escaping special characters 4.3.2. Unicode escape sequence 4.4. Double-quoted string 4.4.1. String interpolation 4.4.2. Special case of interpolating closure expressions 4.4.3. Interoperability with Java 4.4.4. GString and String hashCodes 4.5. Triple-double-quoted string 4.6. Slashy string 4.6.1. Special cases 4.7. Dollar slashy string 4.8. String summary table 4.9. Characters 5. Numbers 5.1. Integral literals 5.1.1. Alternative non-base 10 representations Binary literal Octal literal Hexadecimal literal 5.2. Decimal literals 5.3. Underscore in literals 5.4. Number type suffixes 5.5. Math operations 5.5.1. The case of the division operator 5.5.2. The case of the power operator 6. Booleans 7. Lists 8. Arrays 8.1. Java-style array initialization 9. Maps Syntax This chapter covers the syntax of the Groovy programming language. The grammar of the language derives from the Java grammar, but enhances it with specific constructs for Groovy, and allows certain simplifications. 1. Comments 1.1. Single-line comment Single-line comments start with // and can be found at any position in the line. The characters following // , until the end of the line, are considered part of the comment. // a standalone single line comment println "hello" // a comment till the end of the line 1.2. Multiline comment A multiline comment starts with /* and can be found at any position in the line. The characters following /* will be considered part of the comment, including new line characters, up to the first */ closing the comment. Multiline comments can thus be put at the end of a statement, or even inside a statement. /* a standalone multiline comment spanning two lines */ println "hello" /* a multiline comment starting at the end of a statement */ println 1 /* one */ + 2 /* two */ 1.3. Groovydoc comment Similarly to multiline comments, Groovydoc comments are multiline, but start with /** and end with */ . Lines following the first Groovydoc comment line can optionally start with a star * . Those comments are associated with: type definitions (classes, interfaces, enums, annotations), fields and properties definitions methods definitions Although the compiler will not complain about Groovydoc comments not being associated with the above language elements, you should prepend those constructs with the comment right before it. /** * A Class description */ class Person { /** the name of the person */ String name /** * Creates a greeting method for a certain person. * * @param otherPerson the person to greet * @return a greeting message */ String greet(String otherPerson) { "Hello ${otherPerson}" } } Groovydoc follows the same conventions as Java’s own Javadoc. So you’ll be able to use the same tags as with Javadoc. In addition, Groovy supports Runtime Groovydoc since 3.0.0, i.e. Groovydoc can be retained at runtime. Runtime Groovydoc is disabled by default. It can be enabled by adding JVM option -Dgroovy.attach.runtime.groovydoc=true The Runtime Groovydoc starts with /**@ and ends with */ , for example: /**@ * Some class groovydoc for Foo */ class Foo { /**@ * Some method groovydoc for bar */ void bar() { } } assert Foo.class.groovydoc.content.contains('Some class groovydoc for Foo') (1) assert Foo.class.getMethod('bar', new Class[0]).groovydoc.content.contains('Some method groovydoc for bar') (2) 1 Get the runtime groovydoc for class Foo 2 Get the runtime groovydoc for method bar 1.4. Shebang line Beside the single-line comment, there is a special line comment, often called the shebang line understood by UNIX systems which allows scripts to be run directly from the command-line, provided you have installed the Groovy distribution and the groovy command is available on the PATH . #!/usr/bin/env groovy println "Hello from the shebang line" The # character must be the first character of the file. Any indentation would yield a compilation error. 2. Keywords Groovy has the following reserved keywords: Table 1. Reserved Keywords abstract assert break case catch class const continue def default do else enum extends final finally for goto if implements import instanceof interface native new null non-sealed package public protected private return static strictfp super switch synchronized this threadsafe throw throws transient try while Of these, const , goto , strictfp , and threadsafe are not currently in use. The reserved keywords can’t in general be used for variable, field and method names. A trick allows methods to be defined having the same name as a keyword by surrounding the name in quotes as shown in the following example: // reserved keywords can be used for method names if quoted def "abstract"() { true } // when calling such methods, the name must be qualified using "this." this.abstract() Using such names might be confusing and is often best to avoid. The trick is primarily intended to enable certain Java integration scenarios and certain DSL scenarios where having "verbs" and "nouns" with the same name as keywords may be desirable. In addition, Groovy has the following contextual keywords: Table 2. Contextual Keywords as in permits record sealed trait var yields These words are only keywords in certain contexts and can be more freely used in some places, in particular for variables, fields and method names. This extra lenience allows using method or variable names that were not keywords in earlier versions of Groovy or are not keywords in Java. Examples are shown here: // contextual keywords can be used for field and variable names def as = true assert as // contextual keywords can be used for method names def in() { true } // when calling such methods, the name only needs to be qualified using "this." in scenarios which would be ambiguous this.in() Groovy programmers familiar with these contextual keywords may still wish to avoid using those names unless there is a good reason to use such a name. The restrictions on reserved keywords also apply for the primitive types, the boolean literals and the null literal (all of which are discussed later): Table 3. Other reserved words null true false boolean char byte short int long float double While not recommended, the same trick as for reserved keywords can be used: def "null"() { true } // not recommended; potentially confusing assert this.null() // must be qualified Using such words as method names is potentially confusing and is often best to avoid, however, it might be useful for certain kinds of DSLs . 3. Identifiers 3.1. Normal identifiers Identifiers start with a letter, a dollar or an underscore. They cannot start with a number. A letter can be in the following ranges: 'a' to 'z' (lowercase ascii letter) 'A' to 'Z' (uppercase ascii letter) '\u00C0' to '\u00D6' '\u00D8' to '\u00F6' '\u00F8' to '\u00FF' '\u0100' to '\uFFFE' Then following characters can contain letters and numbers. Here are a few examples of valid identifiers (here, variable names): def name def item3 def with_underscore def $dollarStart But the following ones are invalid identifiers: def 3tier def a+b def a#b All keywords are also valid identifiers when following a dot: foo.as foo.assert foo.break foo.case foo.catch 3.2. Quoted identifiers Quoted identifiers appear after the dot of a dotted expression. For instance, the name part of the person.name expression can be quoted with person."name" or person.'name' . This is particularly interesting when certain identifiers contain illegal characters that are forbidden by the Java Language Specification, but which are allowed by Groovy when quoted. For example, characters like a dash, a space, an exclamation mark, etc. def map = [:] map."an identifier with a space and double quotes" = "ALLOWED" map.'with-dash-signs-and-single-quotes' = "ALLOWED" assert map."an identifier with a space and double quotes" == "ALLOWED" assert map.'with-dash-signs-and-single-quotes' == "ALLOWED" As we shall see in the following section on strings , Groovy provides different string literals. All kind of strings are actually allowed after the dot: map.'single quote' map."double quote" map.'''triple single quote''' map."""triple double quote""" map./slashy string/ map.$/dollar slashy string/$ There’s a difference between plain character strings and Groovy’s GStrings (interpolated strings), as in that the latter case, the interpolated values are inserted in the final string for evaluating the whole identifier: def firstname = "Homer" map."Simpson-${firstname}" = "Homer Simpson" assert map.'Simpson-Homer' == "Homer Simpson" 4. Strings Text literals are represented in the form of chain of characters called strings. Groovy lets you instantiate java.lang.String objects, as well as GStrings ( groovy.lang.GString ) which are also called interpolated strings in other programming languages. 4.1. Single-quoted string Single-quoted strings are a series of characters surrounded by single quotes: 'a single-quoted string' Single-quoted strings are plain java.lang.String and don’t support interpolation. 4.2. String concatenation All the Groovy strings can be concatenated with the + operator: assert 'ab' == 'a' + 'b' 4.3. Triple-single-quoted string Triple-single-quoted strings are a series of characters surrounded by triplets of single quotes: '''a triple-single-quoted string''' Triple-single-quoted strings are plain java.lang.String and don’t support interpolation. Triple-single-quoted strings may span multiple lines. The content of the string can cross line boundaries without the need to split the string in several pieces and without concatenation or newline escape characters: def aMultilineString = '''line one line two line three''' If your code is indented, for example in the body of the method of a class, your string will contain the whitespace of the indentation. The Groovy Development Kit contains methods for stripping out the indentation with the String#stripIndent() method, and with the String#stripMargin() method that takes a delimiter character to identify the text to remove from the beginning of a string. When creating a string as follows: def startingAndEndingWithANewline = ''' line one line two line three ''' You will notice that the resulting string contains a newline character as first character. It is possible to strip that character by escaping the newline with a backslash: def strippedFirstNewline = '''\ line one line two line three ''' assert !strippedFirstNewline.startsWith('\n') 4.3.1. Escaping special characters You can escape single quotes with the backslash character to avoid terminating the string literal: 'an escaped single quote: \' needs a backslash' And you can escape the escape character itself with a double backslash: 'an escaped escape character: \\ needs a double backslash' Some special characters also use the backslash as escape character: Escape sequence Character \b backspace \f formfeed \n newline \r carriage return \s single space \t tabulation \\ backslash \' single quote within a single-quoted string (and optional for triple-single-quoted and double-quoted strings) \" double quote within a double-quoted string (and optional for triple-double-quoted and single-quoted strings) We’ll see some more escaping details when it comes to other types of strings discussed later. 4.3.2. Unicode escape sequence For characters that are not present on your keyboard, you can use unicode escape sequences: a backslash, followed by 'u', then 4 hexadecimal digits. For example, the Euro currency symbol can be represented with: 'The Euro currency symbol: \u20AC' 4.4. Double-quoted string Double-quoted strings are a series of characters surrounded by double quotes: "a double-quoted string" Double-quoted strings are plain java.lang.String if there’s no interpolated expression, but are groovy.lang.GString instances if interpolation is present. To escape a double quote, you can use the backslash character: "A double quote: \"". 4.4.1. String interpolation Any Groovy expression can be interpolated in all string literals, apart from single and triple-single-quoted strings. Interpolation is the act of replacing a placeholder in the string with its value upon evaluation of the string. The placeholder expressions are surrounded by ${} . The curly braces may be omitted for unambiguous dotted expressions, i.e. we can use just a $ prefix in those cases. If the GString is ever passed to a method taking a String, the expression value inside the placeholder is evaluated to its string representation (by calling toString() on that expression) and the resulting String is passed to the method. Here, we have a string with a placeholder referencing a local variable: def name = 'Guillaume' // a plain string def greeting = "Hello ${name}" assert greeting.toString() == 'Hello Guillaume' Any Groovy expression is valid, as we can see in this example with an arithmetic expression: def sum = "The sum of 2 and 3 equals ${2 + 3}" assert sum.toString() == 'The sum of 2 and 3 equals 5' Not only are expressions allowed in between the ${} placeholder, but so are statements. However, a statement’s value is just null . So if several statements are inserted in that placeholder, the last one should somehow return a meaningful value to be inserted. For instance, "The sum of 1 and 2 is equal to ${def a = 1; def b = 2; a + b}" is supported and works as expected but a good practice is usually to stick to simple expressions inside GString placeholders. In addition to ${} placeholders, we can also use a lone $ sign prefixing a dotted expression: def person = [name: 'Guillaume', age: 36] assert "$person.name is $person.age years old" == 'Guillaume is 36 years old' But only dotted expressions of the form a.b , a.b.c , etc, are valid. Expressions containing parentheses like method calls, curly braces for closures, dots which aren’t part of a property expression or arithmetic operators would be invalid. Given the following variable definition of a number: def number = 3.14 The following statement will throw a groovy.lang.MissingPropertyException because Groovy believes you’re trying to access the toString property of that number, which doesn’t exist: shouldFail(MissingPropertyException) { println "$number.toString()" } You can think of "$number.toString()" as being interpreted by the parser as "${number.toString}()" . Similarly, if the expression is ambiguous, you need to keep the curly braces: String thing = 'treasure' assert 'The x-coordinate of the treasure is represented by treasure.x' == "The x-coordinate of the $thing is represented by $thing.x" // <= Not allowed: ambiguous!! assert 'The x-coordinate of the treasure is represented by treasure.x' == "The x-coordinate of the $thing is represented by ${thing}.x" // <= Curly braces required If you need to escape the $ or ${} placeholders in a GString so they appear as is without interpolation, you just need to use a \ backslash character to escape the dollar sign: assert '$5' == "\$5" assert '${name}' == "\${name}" 4.4.2. Special case of interpolating closure expressions So far, we’ve seen we could interpolate arbitrary expressions inside the ${} placeholder, but there is a special case and notation for closure expressions. When the placeholder contains an arrow, ${→} , the expression is actually a closure expression — you can think of it as a closure with a dollar prepended in front of it: def sParameterLessClosure = "1 + 2 == ${-> 3}" (1) assert sParameterLessClosure == '1 + 2 == 3' def sOneParamClosure = "1 + 2 == ${ w -> w << 3}" (2) assert sOneParamClosure == '1 + 2 == 3' 1 The closure is a parameterless closure which doesn’t take arguments. 2 Here, the closure takes a single java.io.StringWriter argument, to which you can append content with the << leftShift operator. In either case, both placeholders are embedded closures. In appearance, it looks like a more verbose way of defining expressions to be interpolated, but closures have an interesting advantage over mere expressions: lazy evaluation. Let’s consider the following sample: def number = 1 (1) def eagerGString = "value == ${number}" def lazyGString = "value == ${ -> number }" assert eagerGString == "value == 1" (2) assert lazyGString == "value == 1" (3) number = 2 (4) assert eagerGString == "value == 1" (5) assert lazyGString == "value == 2" (6) 1 We define a number variable containing 1 that we then interpolate within two GStrings, as an expression in eagerGString and as a closure in lazyGString . 2 We expect the resulting string to contain the same string value of 1 for eagerGString . 3 Similarly for lazyGString 4 Then we change the value of the variable to a new number 5 With a plain interpolated expression, the value was actually bound at the time of creation of the GString. 6 But with a closure expression, the closure is called upon each coercion of the GString into String, resulting in an updated string containing the new number value. An embedded closure expression taking more than one parameter will generate an exception at runtime. Only closures with zero or one parameter are allowed. 4.4.3. Interoperability with Java When a method (whether implemented in Java or Groovy) expects a java.lang.String , but we pass a groovy.lang.GString instance, the toString() method of the GString is automatically and transparently called. String takeString(String message) { (4) assert message instanceof String (5) return message } def message = "The message is ${'hello'}" (1) assert message instanceof GString (2) def result = takeString(message) (3) assert result instanceof String assert result == 'The message is hello' 1 We create a GString variable 2 We double-check it’s an instance of the GString 3 We then pass that GString to a method taking a String as parameter 4 The signature of the takeString() method explicitly says its sole parameter is a String 5 We also verify that the parameter is indeed a String and not a GString. 4.4.4. GString and String hashCodes Although interpolated strings can be used in lieu of plain Java strings, they differ with strings in a particular way: their hashCodes are different. Plain Java strings are immutable, whereas the resulting String representation of a GString can vary, depending on its interpolated values. Even for the same resulting string, GStrings and Strings don’t have the same hashCode. assert "one: ${1}".hashCode() != "one: 1".hashCode() GString and Strings having different hashCode values, using GString as Map keys should be avoided, especially if we try to retrieve an associated value with a String instead of a GString. def key = "a" def m = ["${key}": "letter ${key}"] (1) assert m["a"] == null (2) 1 The map is created with an initial pair whose key is a GString 2 When we try to fetch the value with a String key, we will not find it, as Strings and GString have different hashCode values 4.5. Triple-double-quoted string Triple-double-quoted strings behave like double-quoted strings, with the addition that they are multiline, like the triple-single-quoted strings. def name = 'Groovy' def template = """ Dear Mr ${name}, You're the winner of the lottery! Yours sincerly, Dave """ assert template.toString().contains('Groovy') Neither double quotes nor single quotes need be escaped in triple-double-quoted strings. 4.6. Slashy string Beyond the usual quoted strings, Groovy offers slashy strings, which use / as the opening and closing delimiter. Slashy strings are particularly useful for defining regular expressions and patterns, as there is no need to escape backslashes. Example of a slashy string: def fooPattern = /.*foo.*/ assert fooPattern == '.*foo.*' Only forward slashes need to be escaped with a backslash: def escapeSlash = /The character \/ is a forward slash/ assert escapeSlash == 'The character / is a forward slash' Slashy strings are multiline: def multilineSlashy = /one two three/ assert multilineSlashy.contains('\n') Slashy strings can be thought of as just another way to define a GString but with different escaping rules. They hence support interpolation: def color = 'blue' def interpolatedSlashy = /a ${color} car/ assert interpolatedSlashy == 'a blue car' 4.6.1. Special cases An empty slashy string cannot be represented with a double forward slash, as it’s understood by the Groovy parser as a line comment. That’s why the following assert would actually not compile as it would look like a non-terminated statement: assert '' == // As slashy strings were mostly designed to make regexp easier so a few things that are errors in GStrings like $() or $5 will work with slashy strings. Remember that escaping backslashes is not required. An alternative way of thinking of this is that in fact escaping is not supported. The slashy string /\t/ won’t contain a tab but instead a backslash followed by the character 't'. Escaping is only allowed for the slash character, i.e. /\/folder/ will be a slashy string containing '/folder' . A consequence of slash escaping is that a slashy string can’t end with a backslash. Otherwise that will escape the slashy string terminator. You can instead use a special trick, /ends with slash ${'\\'}/ . But best just avoid using a slashy string in such a case. 4.7. Dollar slashy string Dollar slashy strings are multiline GStrings delimited with an opening $/ and a closing /$ . The escaping character is the dollar sign, and it can escape another dollar, or a forward slash. Escaping for the dollar and forward slash characters is only needed where conflicts arise with the special use of those characters. The characters $foo would normally indicate a GString placeholder, so those four characters can be entered into a dollar slashy string by escaping the dollar, i.e. $$foo . Similarly, you will need to escape a dollar slashy closing delimiter if you want it to appear in your string. Here are a few examples: def name = "Guillaume" def date = "April, 1st" def dollarSlashy = $/ Hello $name, today we're ${date}. $ dollar sign $$ escaped dollar sign \ backslash / forward slash $/ escaped forward slash $$$/ escaped opening dollar slashy $/$$ escaped closing dollar slashy /$ assert [ 'Guillaume', 'April, 1st', '$ dollar sign', '$ escaped dollar sign', '\\ backslash', '/ forward slash', '/ escaped forward slash', '$/ escaped opening dollar slashy', '/$ escaped closing dollar slashy' ].every { dollarSlashy.contains(it) } It was created to overcome some of the limitations of the slashy string escaping rules. Use it when its escaping rules suit your string contents (typically if it has some slashes you don’t want to escape). 4.8. String summary table String name String syntax Interpolated Multiline Escape character Single-quoted '…​' \ Triple-single-quoted '''…​''' \ Double-quoted "…​" \ Triple-double-quoted """…​""" \ Slashy /…​/ \ Dollar slashy $/…​/$ $ 4.9. Characters Unlike Java, Groovy doesn’t have an explicit character literal. However, you can be explicit about making a Groovy string an actual character, by three different means: char c1 = 'A' (1) assert c1 instanceof Character def c2 = 'B' as char (2) assert c2 instanceof Character def c3 = (char)'C' (3) assert c3 instanceof Character 1 by being explicit when declaring a variable holding the character by specifying the char type 2 by using type coercion with the as operator 3 by using a cast to char operation The first option 1 is interesting when the character is held in a variable, while the other two ( 2 and 3 ) are more interesting when a char value must be passed as argument of a method call. 5. Numbers Groovy supports different kinds of integral literals and decimal literals, backed by the usual Number types of Java. 5.1. Integral literals The integral literal types are the same as in Java: byte char short int long java.math.BigInteger You can create integral numbers of those types with the following declarations: // primitive types byte b = 1 char c = 2 short s = 3 int i = 4 long l = 5 // infinite precision BigInteger bi = 6 If you use optional typing by using the def keyword, the type of the integral number will vary: it’ll adapt to the capacity of the type that can hold that number. For positive numbers: def a = 1 assert a instanceof Integer // Integer.MAX_VALUE def b = 2147483647 assert b instanceof Integer // Integer.MAX_VALUE + 1 def c = 2147483648 assert c instanceof Long // Long.MAX_VALUE def d = 9223372036854775807 assert d instanceof Long // Long.MAX_VALUE + 1 def e = 9223372036854775808 assert e instanceof BigInteger As well as for negative numbers: def na = -1 assert na instanceof Integer // Integer.MIN_VALUE def nb = -2147483648 assert nb instanceof Integer // Integer.MIN_VALUE - 1 def nc = -2147483649 assert nc instanceof Long // Long.MIN_VALUE def nd = -9223372036854775808 assert nd instanceof Long // Long.MIN_VALUE - 1 def ne = -9223372036854775809 assert ne instanceof BigInteger 5.1.1. Alternative non-base 10 representations Numbers can also be represented in binary, octal, hexadecimal and decimal bases. Binary literal Binary numbers start with a 0b prefix: int xInt = 0b10101111 assert xInt == 175 short xShort = 0b11001001 assert xShort == 201 as short byte xByte = 0b11 assert xByte == 3 as byte long xLong = 0b101101101101 assert xLong == 2925l BigInteger xBigInteger = 0b111100100001 assert xBigInteger == 3873g int xNegativeInt = -0b10101111 assert xNegativeInt == -175 Octal literal Octal numbers are specified in the typical format of 0 followed by octal digits. int xInt = 077 assert xInt == 63 short xShort = 011 assert xShort == 9 as short byte xByte = 032 assert xByte == 26 as byte long xLong = 0246 assert xLong == 166l BigInteger xBigInteger = 01111 assert xBigInteger == 585g int xNegativeInt = -077 assert xNegativeInt == -63 Hexadecimal literal Hexadecimal numbers are specified in the typical format of 0x followed by hex digits. int xInt = 0x77 assert xInt == 119 short xShort = 0xaa assert xShort == 170 as short byte xByte = 0x3a assert xByte == 58 as byte long xLong = 0xffff assert xLong == 65535l BigInteger xBigInteger = 0xaaaa assert xBigInteger == 43690g Double xDouble = new Double('0x1.0p0') assert xDouble == 1.0d int xNegativeInt = -0x77 assert xNegativeInt == -119 5.2. Decimal literals The decimal literal types are the same as in Java: float double java.math.BigDecimal You can create decimal numbers of those types with the following declarations: // primitive types float f = 1.234 double d = 2.345 // infinite precision BigDecimal bd = 3.456 Decimals can use exponents, with the e or E exponent letter, followed by an optional sign, and an integral number representing the exponent: assert 1e3 == 1_000.0 assert 2E4 == 20_000.0 assert 3e+1 == 30.0 assert 4E-2 == 0.04 assert 5e-1 == 0.5 Conveniently for exact decimal number calculations, Groovy chooses java.math.BigDecimal as its decimal number type. In addition, both float and double are supported, but require an explicit type declaration, type coercion or suffix. Even if BigDecimal is the default for decimal numbers, such literals are accepted in methods or closures taking float or double as parameter types. Decimal numbers can’t be represented using a binary, octal or hexadecimal representation. 5.3. Underscore in literals When writing long literal numbers, it’s harder on the eye to figure out how some numbers are grouped together, for example with groups of thousands, of words, etc. By allowing you to place underscore in number literals, it’s easier to spot those groups: long creditCardNumber = 1234_5678_9012_3456L long socialSecurityNumbers = 999_99_9999L double monetaryAmount = 12_345_132.12 long hexBytes = 0xFF_EC_DE_5E long hexWords = 0xFFEC_DE5E long maxLong = 0x7fff_ffff_ffff_ffffL long alsoMaxLong = 9_223_372_036_854_775_807L long bytes = 0b11010010_01101001_10010100_10010010 5.4. Number type suffixes We can force a number (including binary, octals and hexadecimals) to have a specific type by giving a suffix (see table below), either uppercase or lowercase. Type Suffix BigInteger G or g Long L or l Integer I or i BigDecimal G or g Double D or d Float F or f Examples: assert 42I == Integer.valueOf('42') assert 42i == Integer.valueOf('42') // lowercase i more readable assert 123L == Long.valueOf("123") // uppercase L more readable assert 2147483648 == Long.valueOf('2147483648') // Long type used, value too large for an Integer assert 456G == new BigInteger('456') assert 456g == new BigInteger('456') assert 123.45 == new BigDecimal('123.45') // default BigDecimal type used assert .321 == new BigDecimal('.321') assert 1.200065D == Double.valueOf('1.200065') assert 1.234F == Float.valueOf('1.234') assert 1.23E23D == Double.valueOf('1.23E23') assert 0b1111L.class == Long // binary assert 0xFFi.class == Integer // hexadecimal assert 034G.class == BigInteger // octal 5.5. Math operations Although operators are covered in more detail elsewhere, it’s important to discuss the behavior of math operations and what their resulting types are. Division and power binary operations aside (covered below), binary operations between byte , char , short and int result in int binary operations involving long with byte , char , short and int result in long binary operations involving BigInteger and any other integral type result in BigInteger binary operations involving BigDecimal with byte , char , short , int and BigInteger result in BigDecimal binary operations between float , double and BigDecimal result in double binary operations between two BigDecimal result in BigDecimal The following table summarizes those rules: byte char short int long BigInteger float double BigDecimal byte int int int int long BigInteger double double BigDecimal char int int int long BigInteger double double BigDecimal short int int long BigInteger double double BigDecimal int int long BigInteger double double BigDecimal long long BigInteger double double BigDecimal BigInteger BigInteger double double BigDecimal float double double double double double double BigDecimal BigDecimal Thanks to Groovy’s operator overloading, the usual arithmetic operators work as well with BigInteger and BigDecimal , unlike in Java where you have to use explicit methods for operating on those numbers. 5.5.1. The case of the division operator The division operators / (and /= for division and assignment) produce a double result if either operand is a float or double , and a BigDecimal result otherwise (when both operands are any combination of an integral type short , char , byte , int , long , BigInteger or BigDecimal ). BigDecimal division is performed with the divide() method if the division is exact (i.e. yielding a result that can be represented within the bounds of the same precision and scale), or using a MathContext with a precision of the maximum of the two operands' precision plus an extra precision of 10, and a scale of the maximum of 10 and the maximum of the operands' scale. For integer division like in Java, you should use the intdiv() method, as Groovy doesn’t provide a dedicated integer division operator symbol. 5.5.2. The case of the power operator The power operation is represented by the ** operator, with two parameters: the base and the exponent. The result of the power operation depends on its operands, and the result of the operation (in particular if the result can be represented as an integral value). The following rules are used by Groovy’s power operation to determine the resulting type: If the exponent is a decimal value if the result can be represented as an Integer , then return an Integer else if the result can be represented as a Long , then return a Long otherwise return a Double If the exponent is an integral value if the exponent is strictly negative, then return an Integer , Long or Double if the result value fits in that type if the exponent is positive or zero if the base is a BigDecimal , then return a BigDecimal result value if the base is a BigInteger , then return a BigInteger result value if the base is an Integer , then return an Integer if the result value fits in it, otherwise a BigInteger if the base is a Long , then return a Long if the result value fits in it, otherwise a BigInteger We can illustrate those rules with a few examples: // base and exponent are ints and the result can be represented by an Integer assert 2 ** 3 instanceof Integer // 8 assert 10 ** 9 instanceof Integer // 1_000_000_000 // the base is a long, so fit the result in a Long // (although it could have fit in an Integer) assert 5L ** 2 instanceof Long // 25 // the result can't be represented as an Integer or Long, so return a BigInteger assert 100 ** 10 instanceof BigInteger // 10e20 assert 1234 ** 123 instanceof BigInteger // 170515806212727042875... // the base is a BigDecimal and the exponent a negative int // but the result can be represented as an Integer assert 0.5 ** -2 instanceof Integer // 4 // the base is an int, and the exponent a negative float // but again, the result can be represented as an Integer assert 1 ** -0.3f instanceof Integer // 1 // the base is an int, and the exponent a negative int // but the result will be calculated as a Double // (both base and exponent are actually converted to doubles) assert 10 ** -1 instanceof Double // 0.1 // the base is a BigDecimal, and the exponent is an int, so return a BigDecimal assert 1.2 ** 10 instanceof BigDecimal // 6.1917364224 // the base is a float or double, and the exponent is an int // but the result can only be represented as a Double value assert 3.4f ** 5 instanceof Double // 454.35430372146965 assert 5.6d ** 2 instanceof Double // 31.359999999999996 // the exponent is a decimal value // and the result can only be represented as a Double value assert 7.8 ** 1.9 instanceof Double // 49.542708423868476 assert 2 ** 0.1f instanceof Double // 1.0717734636432956 6. Booleans Boolean is a special data type that is used to represent truth values: true and false . Use this data type for simple flags that track true/false conditions . Boolean values can be stored in variables, assigned into fields, just like any other data type: def myBooleanVariable = true boolean untypedBooleanVar = false booleanField = true true and false are the only two primitive boolean values. But more complex boolean expressions can be represented using logical operators . In addition, Groovy has special rules (often referred to as Groovy Truth ) for coercing non-boolean objects to a boolean value. 7. Lists Groovy uses a comma-separated list of values, surrounded by square brackets, to denote lists. Groovy lists are plain JDK java.util.List , as Groovy doesn’t define its own collection classes. The concrete list implementation used when defining list literals are java.util.ArrayList by default, unless you decide to specify otherwise, as we shall see later on. def numbers = [1, 2, 3] (1) assert numbers instanceof List (2) assert numbers.size() == 3 (3) 1 We define a list numbers delimited by commas and surrounded by square brackets, and we assign that list into a variable 2 The list is an instance of Java’s java.util.List interface 3 The size of the list can be queried with the size() method, and shows our list contains 3 elements In the above example, we used a homogeneous list, but you can also create lists containing values of heterogeneous types: def heterogeneous = [1, "a", true] (1) 1 Our list here contains a number, a string and a boolean value We mentioned that by default, list literals are actually instances of java.util.ArrayList , but it is possible to use a different backing type for our lists, thanks to using type coercion with the as operator, or with explicit type declaration for your variables: def arrayList = [1, 2, 3] assert arrayList instanceof java.util.ArrayList def linkedList = [2, 3, 4] as LinkedList (1) assert linkedList instanceof java.util.LinkedList LinkedList otherLinked = [3, 4, 5] (2) assert otherLinked instanceof java.util.LinkedList 1 We use coercion with the as operator to explicitly request a java.util.LinkedList implementation 2 We can say that the variable holding the list literal is of type java.util.LinkedList You can access elements of the list with the [] subscript operator (both for reading and setting values) with positive indices or negative indices to access elements from the end of the list, as well as with ranges, and use the << leftShift operator to append elements to a list: def letters = ['a', 'b', 'c', 'd'] assert letters[0] == 'a' (1) assert letters[1] == 'b' assert letters[-1] == 'd' (2) assert letters[-2] == 'c' letters[2] = 'C' (3) assert letters[2] == 'C' letters << 'e' (4) assert letters[ 4] == 'e' assert letters[-1] == 'e' assert letters[1, 3] == ['b', 'd'] (5) assert letters[2..4] == ['C', 'd', 'e'] (6) 1 Access the first element of the list (zero-based counting) 2 Access the last element of the list with a negative index: -1 is the first element from the end of the list 3 Use an assignment to set a new value for the third element of the list 4 Use the << leftShift operator to append an element at the end of the list 5 Access two elements at once, returning a new list containing those two elements 6 Use a range to access a range of values from the list, from a start to an end element position As lists can be heterogeneous in nature, lists can also contain other lists to create multidimensional lists: def multi = [[0, 1], [2, 3]] (1) assert multi[1][0] == 2 (2) 1 Define a list of numbers 2 Access the second element of the top-most list, and the first element of the inner list 8. Arrays Groovy reuses the list notation for arrays, but to make such literals arrays, you need to explicitly define the type of the array through coercion or type declaration. String[] arrStr = ['Ananas', 'Banana', 'Kiwi'] (1) assert arrStr instanceof String[] (2) assert !(arrStr instanceof List) def numArr = [1, 2, 3] as int[] (3) assert numArr instanceof int[] (4) assert numArr.size() == 3 1 Define an array of strings using explicit variable type declaration 2 Assert that we created an array of strings 3 Create an array of ints with the as operator 4 Assert that we created an array of primitive ints You can also create multi-dimensional arrays: def matrix3 = new Integer[3][3] (1) assert matrix3.size() == 3 Integer[][] matrix2 (2) matrix2 = [[1, 2], [3, 4]] assert matrix2 instanceof Integer[][] 1 You can define the bounds of a new array 2 Or declare an array without specifying its bounds Access to elements of an array follows the same notation as for lists: String[] names = ['Cédric', 'Guillaume', 'Jochen', 'Paul'] assert names[0] == 'Cédric' (1) names[2] = 'Blackdrag' (2) assert names[2] == 'Blackdrag' 1 Retrieve the first element of the array 2 Set the value of the third element of the array to a new value 8.1. Java-style array initialization Groovy has always supported literal list/array definitions using square brackets and has avoided Java-style curly braces so as not to conflict with closure definitions. In the case where the curly braces come immediately after an array type declaration however, there is no ambiguity with closure definitions, so Groovy 3 and above support that variant of the Java array initialization expression. Examples: def primes = new int[] {2, 3, 5, 7, 11} assert primes.size() == 5 && primes.sum() == 28 assert primes.class.name == '[I' def pets = new String[] {'cat', 'dog'} assert pets.size() == 2 && pets.sum() == 'catdog' assert pets.class.name == '[Ljava.lang.String;' // traditional Groovy alternative still supported String[] groovyBooks = [ 'Groovy in Action', 'Making Java Groovy' ] assert groovyBooks.every{ it.contains('Groovy') } 9. Maps Sometimes called dictionaries or associative arrays in other languages, Groovy features maps. Maps associate keys to values, separating keys and values with colons, and each key/value pairs with commas, and the whole keys and values surrounded by square brackets. def colors = [red: '#FF0000', green: '#00FF00', blue: '#0000FF'] (1) assert colors['red'] == '#FF0000' (2) assert colors.green == '#00FF00' (3) colors['pink'] = '#FF00FF' (4) colors.yellow = '#FFFF00' (5) assert colors.pink == '#FF00FF' assert colors['yellow'] == '#FFFF00' assert colors instanceof java.util.LinkedHashMap 1 We define a map of string color names, associated with their hexadecimal-coded html colors 2 We use the subscript notation to check the content associated with the red key 3 We can also use the property notation to assert the color green’s hexadecimal representation 4 Similarly, we can use the subscript notation to add a new key/value pair 5 Or the property notation, to add the yellow color When using names for the keys, we actually define string keys in the map. Groovy creates maps that are actually instances of java.util.LinkedHashMap . If you try to access a key which is not present in the map: assert colors.unknown == null def emptyMap = [:] assert emptyMap.anyKey == null You will retrieve a null result. In the examples above, we used string keys, but you can also use values of other types as keys: def numbers = [1: 'one', 2: 'two'] assert numbers[1] == 'one' Here, we used numbers as keys, as numbers can unambiguously be recognized as numbers, so Groovy will not create a string key like in our previous examples. But consider the case you want to pass a variable in lieu of the key, to have the value of that variable become the key: def key = 'name' def person = [key: 'Guillaume'] (1) assert !person.containsKey('name') (2) assert person.containsKey('key') (3) 1 The key associated with the 'Guillaume' name will actually be the "key" string, not the value associated with the key variable 2 The map doesn’t contain the 'name' key 3 Instead, the map contains a 'key' key You can also pass quoted strings as well as keys: ["name": "Guillaume"]. This is mandatory if your key string isn’t a valid identifier, for example if you wanted to create a string key containing a dash like in: ["street-name": "Main street"]. When you need to pass variable values as keys in your map definitions, you must surround the variable or expression with parentheses: person = [(key): 'Guillaume'] (1) assert person.containsKey('name') (2) assert !person.containsKey('key') (3) 1 This time, we surround the key variable with parentheses, to instruct the parser we are passing a variable rather than defining a string key 2 The map does contain the name key 3 But the map doesn’t contain the key key as before Groovy Learn Documentation Download Support Contribute Ecosystem Blog posts About Source code Security Books Thanks Sponsorship FAQ Search Socialize Discuss on the mailing-list Groovy on X Groovy on Bluesky Groovy on Mastodon Groovy on LinkedIn Events and conferences Source code on GitHub Report issues in Jira Stack Overflow questions Slack Community The Groovy programming language is supported by the Apache Software Foundation and the Groovy community. Apache, Apache Groovy, Groovy, and the ASF logo are either registered trademarks or trademarks of The Apache Software Foundation. © 2003-2025 the Apache Groovy project — Groovy is Open Source: license , privacy policy . | 2026-01-13T09:29:34 |
https://www.tumblr.com/themes/ | Themes | Tumblr Log in Sign up Purchase $0 Cancel Install Themes Categories Single column Two column Grid Good for text Minimal Multiple Layouts High Res Popular Make a Tumblr theme from scratch. See documentation Be a minimalist See collection Big, beautiful images See collection Look good on any device See collection Taylor Swift Midnights Theme See collection Featured See more Iconic by eggdesign Iconic is full of customization options and hover animations. Almost everything is customizable, including the border widths and tag symbols. Last updated 2023-09-29 Empati Tamako by fukuo Empati Tamako is a grid theme that’s curated perfectly for photoblogs or portfolio-esque in mind. The posts have a fixed width and height so the photoset and photo will be distorted automagically. Last updated 2024-09-05 $49 California Roll by stash-themes Stylish, mosaic style full screen grid layout tumblr theme with beautiful scrolling animations Last updated 2024-08-06 Lilac by seychethemes Minimal and modern, highly customizable theme with gradient accents. Responsive for all devices and designed to look good on any screen size. Last updated 2023-05-11 Nyiur by fukuo Nyiur is a header Tumblr theme for writing-heavy blogs. It’s simple and clean with readable fonts. A good theme for writers and blogger, but not limited to others. Last updated 2024-09-05 Zinnia by seychethemes Zinnia is a highly customizable one-column sidebar theme designed to suit any blog type. Last updated 2023-05-11 Zola by yeoli-thm Zola is a minimalist, responsive Tumblr theme suitable for all post types. Last updated 2023-10-18 Andrômeda by kosmique A sidebar theme with a slide-out menu Last updated 2024-02-29 Ocular by rachaels A theme inspired by Tumblr Official that looks into the future. Last updated 2024-01-09 $9 Monumen by fukuo Monumen is a personal theme that is designed for all blog types. This theme comes with options that can turn a simple layout into a grid layout that’s perfect for photo-heavy blogs too! Last updated 2024-05-16 $9 Banda Neira by fukuo Banda Neira is a minimal theme with a slick design that is similar to a notion page. A redesign of the previous version made in 2016, was re-coded from scratch and supports all post types! Last updated 2024-04-22 storge by foundcas a responsive theme Last updated 2023-05-11 Stereo by nonspace Old web nostalgia. Last updated 2025-04-22 Louis Tomlinson – Faith In The Future by lthqofficial A Louis Tomlinson theme Last updated 2023-05-11 Chirp by rachaels A free Tumblr theme inspired by Twitter's profile page. Last updated 2023-07-18 Lavender by seychethemes A minimal and modern sidebar grid theme with an emphasis on big posts. Last updated 2023-05-11 Janelle Monáe - The Age of Pleasure by janellemonae Janelle Monáe - The Age of Pleasure Last updated 2023-07-18 Pixelution by yeoli-thm A simple pixelated theme. Last updated 2024-05-16 Milk by eggdesign A cute theme with a milk carton Last updated 2023-09-26 Hatfield by stash-themes A versatile responsive portfolio tumblr theme designed for beautiful large images. Aimed mainly at creatives: designer, illustrators, photographers, videographers and any kind of visual artists. Last updated 2025-03-11 $49 Foto by stash-themes Foto is a Tumblr theme with a minimal traditional blog style layout. It's been designed to fit any type of blogger or artist portfolio Last updated 2024-08-09 $49 LeftRight by stash-themes A minimal and beautiful theme with a horizontal scroll layout. LeftRight puts your images front and centre perfect for visual storytelling. Last updated 2025-06-27 $19 5K by stash-themes 5k boasts a sleek and minimalist design, inspired by print. Offers visitors a magazine-like browsing experience. Images have the same height for pleasant viewing. Visitors can use the mouse wheel or k Last updated 2025-12-12 $9 Panorama by stash-themes A horizontal scroll tumblr theme that lets your photo content speak for itself. Last updated 2025-06-27 Accessible Revamped by eggdesign A completely rewritten and redesigned version of the Accessible theme Last updated 2025-04-29 Standard Issue. by tumblr It’s big. It’s clean. It’s deceptively simple. Last updated 2025-12-18 Be a minimalist See more $19 5K by stash-themes 5k boasts a sleek and minimalist design, inspired by print. Offers visitors a magazine-like browsing experience. Images have the same height for pleasant viewing. Visitors can use the mouse wheel or k Last updated 2025-12-12 Sawano by felixkwan Everything on the right hand side. Last updated 2023-08-02 $49 Foto by stash-themes Foto is a Tumblr theme with a minimal traditional blog style layout. It's been designed to fit any type of blogger or artist portfolio Last updated 2024-08-09 Zola by yeoli-thm Zola is a minimalist, responsive Tumblr theme suitable for all post types. Last updated 2023-10-18 $19 Polestar by stash-themes Polestar helps you give visitors an unforgettable, pleasurable viewing experience with stunning animations and its ease of use. Last updated 2024-08-06 Rougir by eggdesign A bold theme with a grid for a sidebar. Last updated 2023-07-18 $49 Kiss by stash-themes Kiss is a minimal and powerful photography tumblr theme for your blog. Your content will determine the mood of your blog and with social features it's perfect for all types of creators. Last updated 2024-08-06 Rosemary by seychethemes Minimal, highly customizable header or sidebar theme with a focus on clearly-presented content. Last updated 2023-07-18 $49 Lemonade by stash-themes Header lets you add a custom logo, navigation links, avatar and social links. Add posts or portfolio items in a customisable grid. Built with flexibility and customization in mind. Last updated 2024-08-09 Lilac by seychethemes Minimal and modern, highly customizable theme with gradient accents. Responsive for all devices and designed to look good on any screen size. Last updated 2023-05-11 $19 Choice by stash-themes Visual moodboard for all types of content. Last updated 2025-06-27 Zinnia by seychethemes Zinnia is a highly customizable one-column sidebar theme designed to suit any blog type. Last updated 2023-05-11 $19 ImageGallery by stash-themes Portfolio theme built for curators, freelance photographers, image collectors, and photography agencies that are looking to develop their online galleries and impress potential clients. Last updated 2025-06-27 Kaze no Mori by felixkwan Kaze is a tumblr theme which is comfortable for daily post and especially designed for medium. Last updated 2023-08-02 $49 Trilogy by stash-themes Trilogy is a 3-column theme aimed at the creative blogger looking to tell stories with images. One of the key features is the minimal layout and custom photo modal Last updated 2024-09-11 Hikari by felixkwan Hikari is a theme with masonry style layout and fixed sidebar. Last updated 2023-08-02 $19 Stacks by stash-themes Stacks is a minimal Tumblr theme especially great for portfolios with a stacked scroll effect for your photos. Last updated 2025-06-27 Terra by kosmique A simple sidebar theme with option to one or two columns. Last updated 2022-08-29 Hatfield by stash-themes A versatile responsive portfolio tumblr theme designed for beautiful large images. Aimed mainly at creatives: designer, illustrators, photographers, videographers and any kind of visual artists. Last updated 2025-03-11 Magnolia by seychethemes Minimal and clean dual-sidebar theme with a focus on gradient accents and clean typography. Last updated 2023-07-18 Be adorable See more Notebook by eggdesign A cute notebook styled theme Last updated 2022-08-30 Do-Re-Mi by themesbypale A kawaii theme inspired on the retro anime "Ojamajo Doremi". Last updated 2023-06-27 Sweetheart by eggdesign Valentine's Day inspired theme featuring liked posts and hover effects. Last updated 2023-05-10 Glazed by themesbypale Glazed is a theme inspired in the simplicity of glass. This theme is ideal for personal blogs, but is also cool for art portfolios, but also is neat for reblog blogs! Last updated 2023-09-22 Kawaii Pixel Theme by baph-omet Cute, retro or both: your choice! Last updated 2017-06-09 Milk by eggdesign A cute theme with a milk carton Last updated 2023-09-26 Digital Pets! by eggdesign A nostalgic theme based on digital pets from the 90s and 2000s Last updated 2020-11-12 Lilac by seychethemes Minimal and modern, highly customizable theme with gradient accents. Responsive for all devices and designed to look good on any screen size. Last updated 2023-05-11 See The Stars With Me, Again by themesbypale See The Stars With Me, Again is a theme inspired in the aesthetic of retro video games. This theme is ideal for personal blogs, but is also cool for art portfolios and also is neat for reblog blogs! Last updated 2023-08-21 One Dream 3.0 by choihangyuls-main A customisable theme with a classic design. Last updated 2025-06-27 Andrômeda by kosmique A sidebar theme with a slide-out menu Last updated 2024-02-29 Pixelution by yeoli-thm A simple pixelated theme. Last updated 2024-05-16 Plus Mignon by eggdesign A revamp of Mignon! Same cute aesthetic with a cleaner look. Last updated 2024-06-04 Noodles by eggdesign A simple blog theme with animated noodles Last updated 2021-08-04 Notes by eggdesign A theme made to resemble a notebook Last updated 2017-03-15 Big, beautiful images See more $49 LeftRight by stash-themes A minimal and beautiful theme with a horizontal scroll layout. LeftRight puts your images front and centre perfect for visual storytelling. Last updated 2025-06-27 Hatfield by stash-themes A versatile responsive portfolio tumblr theme designed for beautiful large images. Aimed mainly at creatives: designer, illustrators, photographers, videographers and any kind of visual artists. Last updated 2025-03-11 $49 Lemonade by stash-themes Header lets you add a custom logo, navigation links, avatar and social links. Add posts or portfolio items in a customisable grid. Built with flexibility and customization in mind. Last updated 2024-08-09 $19 Black Coffee by stash-themes Tasteful, powerful full screen grid layout. Last updated 2024-09-05 $49 Kiss by stash-themes Kiss is a minimal and powerful photography tumblr theme for your blog. Your content will determine the mood of your blog and with social features it's perfect for all types of creators. Last updated 2024-08-06 $19 Tuscan Leather by stash-themes Functional yet simple. Tuscan Leather is a tasty customizeable rehash of the standard blog layout. Last updated 2025-06-27 $49 California Roll by stash-themes Stylish, mosaic style full screen grid layout tumblr theme with beautiful scrolling animations Last updated 2024-08-06 $49 Da Vinci by stash-themes Da Vinci is a portfolio theme of epic proportions like its namesake - fully responsive, powerful features and perfect for image heavy blogs. Last updated 2024-06-25 $49 Foto by stash-themes Foto is a Tumblr theme with a minimal traditional blog style layout. It's been designed to fit any type of blogger or artist portfolio Last updated 2024-08-09 $49 Autonomy by stash-themes Show off your photo content. Last updated 2024-08-06 Bold looks See more macOS Sierra Theme by no2everything Theme to mimic your Mac desktop. Last updated 2024-12-17 $19 Black Coffee by stash-themes Tasteful, powerful full screen grid layout. Last updated 2024-09-05 GPOY by rachaels GPOY is a free Tumblr theme inspired by early 2010s dashboard. Complete with unreadable blockquote nesting, galaxy and fandom-inspired color schemes, and more. Last updated 2023-04-17 $19 unsent by foundcas cute emails theme Last updated 2023-07-18 Spotlight by nonspace Bold typography. Ideal for text-heavy blogs. Last updated 2023-03-17 neoTerminal by thefizzynator Feeling a bit classic? Fan of minimal coloring? Don't like the default mobile theme? This theme could be for you. (Mobile-Friendly Certified by Google) Last updated 2025-12-12 Win98 A retro theme that turns your lovely Tumblr blog into Windows 98! Version 2 Last updated 2023-05-11 Iconic by eggdesign Iconic is full of customization options and hover animations. Almost everything is customizable, including the border widths and tag symbols. Last updated 2023-09-29 Woz by nick The best design that '86 had to offer. Last updated 2023-05-10 Chirp by rachaels A free Tumblr theme inspired by Twitter's profile page. Last updated 2023-07-18 Excess by nonspace Edgy nostalgia Last updated 2024-06-04 Beehive by eggdesign A hexagon grid theme Last updated 2023-01-23 Look good on any device See more Nyiur by fukuo Nyiur is a header Tumblr theme for writing-heavy blogs. It’s simple and clean with readable fonts. A good theme for writers and blogger, but not limited to others. Last updated 2024-09-05 $9 Monumen by fukuo Monumen is a personal theme that is designed for all blog types. This theme comes with options that can turn a simple layout into a grid layout that’s perfect for photo-heavy blogs too! Last updated 2024-05-16 Empati Tamako by fukuo Empati Tamako is a grid theme that’s curated perfectly for photoblogs or portfolio-esque in mind. The posts have a fixed width and height so the photoset and photo will be distorted automagically. Last updated 2024-09-05 See The Stars With Me, Again by themesbypale See The Stars With Me, Again is a theme inspired in the aesthetic of retro video games. This theme is ideal for personal blogs, but is also cool for art portfolios and also is neat for reblog blogs! Last updated 2023-08-21 Renjana by fukuo Renjana is a simple-looking theme that is designed for all type of blog. This theme “mimics” the design of the Tumblr dashboard and synchronices with your global appearance settings. Last updated 2024-09-06 Lilac by seychethemes Minimal and modern, highly customizable theme with gradient accents. Responsive for all devices and designed to look good on any screen size. Last updated 2023-05-11 Ocular by rachaels A theme inspired by Tumblr Official that looks into the future. Last updated 2024-01-09 Andrômeda by kosmique A sidebar theme with a slide-out menu Last updated 2024-02-29 Vision by april A modern Tumblr theme designed to be familiar. Last updated 2025-12-12 Tumblr Official It's nice. Last updated 2023-01-12 Make a classic, straight-up blog See more Magnolia by seychethemes Minimal and clean dual-sidebar theme with a focus on gradient accents and clean typography. Last updated 2023-07-18 Ocular by rachaels A theme inspired by Tumblr Official that looks into the future. Last updated 2024-01-09 One Dream 3.0 by choihangyuls-main A customisable theme with a classic design. Last updated 2025-06-27 Apatis by nick Apatis is a minimalistic theme inspired by The New York Times website, featuring a newspaper-like design with subtle lines. Last updated 2023-01-16 Pólux by kosmique A theme inspired by twitter. Last updated 2024-03-21 Forsa by felixkwan Forsa is a white style and minimal Tumblr theme, with a masonry style layout. Last updated 2023-08-02 Renjana by fukuo Renjana is a simple-looking theme that is designed for all type of blog. This theme “mimics” the design of the Tumblr dashboard and synchronices with your global appearance settings. Last updated 2024-09-06 Nyiur by fukuo Nyiur is a header Tumblr theme for writing-heavy blogs. It’s simple and clean with readable fonts. A good theme for writers and blogger, but not limited to others. Last updated 2024-09-05 Accessible Revamped by eggdesign A completely rewritten and redesigned version of the Accessible theme Last updated 2025-04-29 Vision by april A modern Tumblr theme designed to be familiar. Last updated 2025-12-12 Printed by april Built for reading. Last updated 2021-06-09 Tumblr Official It's nice. Last updated 2023-01-12 Rosemary by seychethemes Minimal, highly customizable header or sidebar theme with a focus on clearly-presented content. Last updated 2023-07-18 LaTeX Theme by choihangyuls-main Make your blog look like an average engineering school homework report with this minimal and clean theme. Last updated 2019-04-16 Ultraviolet by nonspace All in one theme. Made for writers and roleplayers. Includes about, character, faq, custom ask and custom submit tabs. Last updated 2023-07-19 Make a portfolio See more $49 Monica by julythemes bussiness, responsive, beautiful Last updated 2025-03-21 Empati Tamako by fukuo Empati Tamako is a grid theme that’s curated perfectly for photoblogs or portfolio-esque in mind. The posts have a fixed width and height so the photoset and photo will be distorted automagically. Last updated 2024-09-05 $19 Stacks by stash-themes Stacks is a minimal Tumblr theme especially great for portfolios with a stacked scroll effect for your photos. Last updated 2025-06-27 $19 ImageGallery by stash-themes Portfolio theme built for curators, freelance photographers, image collectors, and photography agencies that are looking to develop their online galleries and impress potential clients. Last updated 2025-06-27 $49 Alchemist by stash-themes Alchemist is a photo gallery on steroids. It's designed for blogs with lots of content, it's highly customisable to match your style. Last updated 2024-09-06 $19 Black Coffee by stash-themes Tasteful, powerful full screen grid layout. Last updated 2024-09-05 $19 Choice by stash-themes Visual moodboard for all types of content. Last updated 2025-06-27 $49 Foto by stash-themes Foto is a Tumblr theme with a minimal traditional blog style layout. It's been designed to fit any type of blogger or artist portfolio Last updated 2024-08-09 $49 Havana by julythemes business, grid, responsive Last updated 2025-03-21 $49 Kiss by stash-themes Kiss is a minimal and powerful photography tumblr theme for your blog. Your content will determine the mood of your blog and with social features it's perfect for all types of creators. Last updated 2024-08-06 $49 California Roll by stash-themes Stylish, mosaic style full screen grid layout tumblr theme with beautiful scrolling animations Last updated 2024-08-06 $49 Lemonade by stash-themes Header lets you add a custom logo, navigation links, avatar and social links. Add posts or portfolio items in a customisable grid. Built with flexibility and customization in mind. Last updated 2024-08-09 $9 Monumen by fukuo Monumen is a personal theme that is designed for all blog types. This theme comes with options that can turn a simple layout into a grid layout that’s perfect for photo-heavy blogs too! Last updated 2024-05-16 © Tumblr, Inc. Help About Apps Developers Themes Jobs Legal Terms Copyright Privacy English Deutsch Français Italiano 日本語 Türkçe Español Pусский Polski Português (PT) Português (BR) Nederlands 한국어 简体中文 繁體中文 (台灣) 繁體中文 (香港) Bahasa Indonesia हिंदी | 2026-01-13T09:29:34 |
https://zh-cn.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT2sNMHYzitoPSEfJsXkqvloqRUxIJIopp28rQfaItrhz2aN24BUXCxLByo7RN0rtEGnzmfDjJvzUhkboKt6Otzh5ksbYAnTsKOxnBOv_JCKZKKQjl3T5Sp4HoTs5V-POj4uS0aXV3zLAErg | Facebook Facebook 邮箱或手机号 密码 忘记账户了? 创建新账户 你暂时被禁止使用此功能 你暂时被禁止使用此功能 似乎你过度使用了此功能,因此暂时被阻止,不能继续使用。 Back 中文(简体) 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 日本語 Português (Brasil) Français (France) Deutsch 注册 登录 Messenger Facebook Lite 视频 Meta Pay Meta 商店 Meta Quest Ray-Ban Meta Meta AI Meta AI 更多内容 Instagram Threads 选民信息中心 隐私政策 隐私中心 关于 创建广告 创建公共主页 开发者 招聘信息 Cookie Ad Choices 条款 帮助 联系人上传和非用户 设置 动态记录 Meta © 2026 | 2026-01-13T09:29:34 |
https://reports.jenkins.io/jelly-taglib-ref.html#form.3AbottomButtonBar | Jelly Taglib references – Jenkins Jenkins Taglib Documentation Last Published: 2025-12-08 | Version: 2.528.3 | Homepage / Jelly Taglib references The following Jelly tag libraries are defined in this project. Namespace URI Description /lib/form /lib/form /lib/hudson /lib/hudson /lib/test /lib/test /lib/hudson/project Tag files used in project pages /lib/layout/dropdowns Tag library that defines components for dropdowns /lib/layout/header Tag library that defines components for headers /lib/layout Tag library that defines the basic layouts of Jenkins pages. /lib/hudson/newFromList These tags provide a higher level primitive for building a form page for creating a new item from a list of descriptors.Used in "create new job" page, for an example. /lib/form /lib/form This tag library is also available as an XML Schema Tag Name Description advanced Expandable section that shows "advanced..." button by default. Upon clicking it, a section unfolds, and the HTML rendered by the body of this tag appears. apply "Apply" button that submits the form but without a page transition. See hudson.util.FormApply for the server-side code. When this button is pressed, the FORM element fires the "jenkins:apply" event that allows interested parties to write back whatever states back into the INPUT elements. block Full-width space in the form table that can be filled with arbitrary HTML. booleanRadio Binds a boolean field to two radio buttons that say Yes/No OK/Cancel Top/Bottom. bottomButtonBar Creates a button bar at the bottom of the page for things like "Submit". The actual buttons should be specified as the body of this tag. This area will always be visible at the bottom of the screen. breadcrumb-config-outline Adds one more in-page breadcrumb that jumps to sections in the page. Put this tag right before <l:main-panel> checkbox <input type="checkbox"> tag that takes true/false for @checked, which is more Jelly friendly. class-entry Invisible <f:entry> type for embedding a descriptor's $class field. Most of the time a Descriptor has an unique class name that we can use to instantiate the right Describable class, so we use the '$class' to represent that to clarify the intent. In some other times, such as templates, there are multiple Descriptors with the same Descriptor.clazz but different IDs, and in that case we put 'kind' to indicate that. In this case, to avoid confusing readers we do not put non-unique '$class'. See Descriptor.newInstancesFromHeteroList for how the reader side is handled. combobox Editable drop-down combo box that supports the data binding and AJAX updates. Your descriptor should have the 'doFillXyzItems' method, which returns a ComboBoxModel representation of the items in your combo box, and your instance field should hold the current value. For a read only input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support description Renders a row that shows description text below an input field. descriptorList Generate config pages from a list of Descriptors into a section. descriptorRadioList Generate config pages from a list of Descriptors into a section. dropdownDescriptorSelector Renders a single <select> control for choosing a Describable. Depending on the currently selected value, its config.jelly will be rendered below <select>, allowing the user to configure Describable. dropdownList Foldable block expanded when the corresponding item is selected in the drop-down list. dropdownListBlock Foldable block expanded when the corresponding item is selected in the drop-down list. editableComboBox Editable drop-down combo box. Deprecated as of 1.356. Use f:combobox and databinding instead. editableComboBoxValue Used inside <f:editableComboBox/> to specify one value of a combobox. Normally one would use multiple values. entry An entry of the <f:form>, which is one logical row (that consists of several <TR> tags. One entry normally host one control. enum Binds an enum field to a <select> element. The body of this tag is evaluated for each enum value, which is passed as 'it'. enumSet Binds a set of Enum to a list of checkboxes, each with the label taken from enum Enum.toString() Should be used inside an <f:entry field='...'> element. expandableTextbox A single-line textbox that can be expanded into a multi-line textarea. This control is useful for a field that expects multiple whitespace-separated tokens (such as URLs, glob patterns, etc.) When the user only enters a few tokens, they can keep it as a single line to save space, but to enter a large number of values, this can be turned into textarea for better visibility. If the initial value is already multi-line text, the control starts with textarea. On the server side, your program is responsible for treating ' ', \t, \r, and \n for separators. (StringTokenizer would do this.) file Generates an input field All unknown attributes are passed through to the field. @since 2.385 form Outer-most tag of the entire form taglib, that generates <form> element. helpArea Place holder to lazy-load help text via AJAX. helpLink Outputs a help link for a <f:form> item if help is available or a spacer if none is available. The help link is rendered as a table cell with an (?) icon. If the user clicks it, the content of the HTML fragment at the given URL is rendered in the area designated as <f:helpArea> by the caller, usually in a row beneath the item with help. The alternative spacer is just an empty table cell. This tag was introduced to ensure that the space reserved for help items is consistent over the UI whether or not help exists. @since 1.576 hetero-list Outer most tag for creating a heterogeneous list, where the user can choose arbitrary number of arbitrary items from the given list of descriptors, and configure them independently. The submission can be data-bound into List<T> where T is the common base type for the describable instances. For databinding use, please use <f:repeatableHeteroProperty /> hetero-radio Sibling of hetero-list, which only allows the user to pick one type from the list of descriptors and configure it. invisibleEntry Invisible <f:entry> type. Useful for adding hidden field values. link Generates an anchor element with the ability to send POST requests. @since 1.584 nested number Generates an input field to be used inside <f:entry/> option <option> tag for the <select> element that takes true/false for selected. optionalBlock Foldable block that can be expanded to show more controls by checking the checkbox. optionalProperty Renders inline an optional single-value nested data-bound property of the current instance, by using a <f:optionalBlock> This is useful when your object composes another data-bound object, and when that's optional, where the absence of the value is signified as null (in which case the optionalBlock will be drawn unchecked), and the presence of the value. password Glorified <input type="password"> possibleReadOnlyField prepareDatabinding Modifies the 'attrs.field' of the parent to inherit @field from the enclosing <f:entry> if available. Also computes the @checkUrl attribute. property Renders inline a single-value nested data-bound property of the current instance. This is useful when your object composes another data-bound object as a nested object, yet your UI would still like to render it radio <input type="radio"> tag that takes true/false for @checked, which is more Jelly friendly. Note that Safari doesn't support onchange. Beware that the name attribute should be uniquified among all radio blocks on the page, such as by prefixing it with "G0025." or whatever gensym. For a read only radio input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support radioBlock Radio button with a label that hides additional controls. When checked, those additional controls are displayed. This is useful for presenting mutually exclusive options, where each option comes with a sub-form that provides additional configuration. readOnlyTextbox Generates an input field to be used inside <f:entry/> repeatable Repeatable blocks used to present UI where the user can configure multiple entries of the same kind (see the Java installations configuration in the system config.) This tag works like <j:forEach> and repeatedly evaluate the body so that initially all the items get their own copy. This tag also evaluate the body once more with var=null to create a 'master copy', which is the template entry used when a new copy is inserted. HTML structure This tag mainly produces the nested DIVs with CSS classes as follows: <div class="repeated-container"> // container for the whole thing <div class="repeated-chunk"> ... copy 1 ... <div class="repeated-chunk"> ... copy 2 ... ... The 'repeated-chunk' DIVs will also have additional CSS classes that represent their positions among siblings: first : first chunk among the siblings last : last chunk among the siblings middle: neither first nor last only : it is the only chunk (automatically get first and last at the same time) Usage Note The caller of this tag should define a button to add a new copy and delete the current copy. Such buttons should have 'repeatable-add' CSS class and 'repeatable-delete' CSS class respectively (it can have other CSS classes), so that their event handlers get properly wired up. The positional CSS classes on 'repeated-chunk' DIVs (as explained above) can be used to control the visibility of such buttons. For example, this allows you to hide 'delete' button if there's only one item, or only show 'add' button on the last row. There are a few CSS classes already defined in style.css for this purpose. repeatableDeleteButton Delete button for the <repeatable> tag. repeatableHeteroProperty Data-bound only version of <f:hetero-list> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. repeatableProperty Data-bound only version of <f:repeatable> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. Unless that nested config.jelly already adds a delete button (deprecated), you should normally put the following inside this tag: <f:block> <div align="right"> <f:repeatableDeleteButton /> </div> </f:block> Due to a bug in Stapler data binding the model elements are only set if they consist of one or more values. If all values have been removed in the user interface (i.e. the associated form is empty), then the setter is not invoked anymore. As a workaround, you need to override the corresponding configure method and clear the model property manually before invoking the data binding. See warnings-ng-plugin PR#266. rowSet Adds @nameRef to all table rows inside this tag, so that when the form is submitted, it gets grouped in one JSON object. saveApplyBar Creates the bottom bar for the "Save" and "Apply" buttons. In read only mode (<j:set var="readOnlyMode" value="true"/>) the buttons are not displayed. secretTextarea Enhanced version of <f:textarea/> for editing multi-line secrets. Example usage: <j:jelly xmlns:j="jelly:core" xmlns:f="/lib/form"> <f:entry title="Secret" field="secret"> <f:secretTextarea/> </f:entry> <f:entry title="Secret 2"> <f:secretTextarea field="secret2"/> </f:entry> <f:entry title="Another Secret"> <f:secretTextarea name="foo" value="${it.foo}"/> </f:entry> </j:jelly> section Section header in the form table. select Glorified <select> control that supports the data binding and AJAX updates. Your descriptor should have the 'doFillXyzItems' method, which returns a ListBoxModel representation of the items in your drop-down list box, and your instance field should hold the current value. slave-mode A listbox for choosing the agent's usage. submit Submit button. This should be always used instead of the plain <button> tag. textarea <textarea> tag on steroids. The textarea will be rendered to fit the content. It also gets the resize handle. textbox Generates an input field to be used inside <f:entry/> For a read only input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support toggleSwitch <input type="checkbox"> tag that takes true/false for @checked, which is more Jelly friendly. validateButton See https://www.jenkins.io/doc/developer/forms/jelly-form-controls/ for the reference. withCustomDescriptorByName Execute the body with a temporary currentDescriptorByNameUrl value advanced Expandable section that shows "advanced..." button by default. Upon clicking it, a section unfolds, and the HTML rendered by the body of this tag appears. Attribute Name Type Description title - Caption of the button. By default "Advanced" apply "Apply" button that submits the form but without a page transition. See hudson.util.FormApply for the server-side code. When this button is pressed, the FORM element fires the "jenkins:apply" event that allows interested parties to write back whatever states back into the INPUT elements. Attribute Name Type Description value - The text of the apply button. This tag does not accept any child elements/text. block Full-width space in the form table that can be filled with arbitrary HTML. booleanRadio Binds a boolean field to two radio buttons that say Yes/No OK/Cancel Top/Bottom. Attribute Name Type Description false - Text to be displayed for the 'false' value. Defaults to 'No'. field - Databinding field. true - Text to be displayed for the 'true' value. Defaults to 'Yes'. This tag does not accept any child elements/text. bottomButtonBar Creates a button bar at the bottom of the page for things like "Submit". The actual buttons should be specified as the body of this tag. This area will always be visible at the bottom of the screen. breadcrumb-config-outline Adds one more in-page breadcrumb that jumps to sections in the page. Put this tag right before <l:main-panel> Attribute Name Type Description title - Optional title for this breadcrumb This tag does not accept any child elements/text. checkbox <input type="checkbox"> tag that takes true/false for @checked, which is more Jelly friendly. Attribute Name Type Description checked - class - default - The default value of the checkbox, in case both @checked and @instance are null. If this attribute is unspecified or null, it defaults to unchecked, otherwise checked. description - Optional description for the checkbox field - Used for databinding. TBD. id - json - Normally, the submitted JSON will be boolean indicating whether the checkbox was checked or not. This is sometimes inconvenient if you have a UI that lets user select a subset of a set. If this attribute is present, the submitted JSON will have this as a string value if the checkbox is checked, and none otherwise, making the subset selection easier. name - negative - onclick (deprecated) - Inline JavaScript to execute when the checkbox is clicked. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'class' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. readonly (deprecated) - If set to true, this will take precedence over the onclick attribute and prevent the state of the checkbox from being changed. Note: if you want an actual read only checkbox then add: <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support title - If specified, this human readable text will follow the checkbox, and clicking this text also toggles the checkbox. tooltip - Used as tooltip of the checkbox, and, if a title is specified, of the title value - This tag does not accept any child elements/text. class-entry Invisible <f:entry> type for embedding a descriptor's $class field. Most of the time a Descriptor has an unique class name that we can use to instantiate the right Describable class, so we use the '$class' to represent that to clarify the intent. In some other times, such as templates, there are multiple Descriptors with the same Descriptor.clazz but different IDs, and in that case we put 'kind' to indicate that. In this case, to avoid confusing readers we do not put non-unique '$class'. See Descriptor.newInstancesFromHeteroList for how the reader side is handled. Attribute Name Type Description clazz - The describable class that we are instantiating via structured form submission. descriptor - The descriptor of the describable that we are instantiating via structured form submission. Mutually exclusive with clazz. This tag does not accept any child elements/text. combobox Editable drop-down combo box that supports the data binding and AJAX updates. Your descriptor should have the 'doFillXyzItems' method, which returns a ComboBoxModel representation of the items in your combo box, and your instance field should hold the current value. For a read only input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support Attribute Name Type Description checkMethod String Specify 'get' (must be lowercase) to change the HTTP method used for the AJAX requests to @checkUrl from a POST to a GET. If any other value is specified then requests will use POST. The historical default was GET and 'post' had to be specified to change that, but this was changed in Jenkins 2.285. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS classes that the control gets. default - The default value of the combo box, in case both @value and 'instance field ' are null. field - Used for databinding. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. description Renders a row that shows description text below an input field. descriptorList Generate config pages from a list of Descriptors into a section. Attribute Name Type Description description - Optional attribute to set a description for the section descriptors (required) - hudson.model.Descriptor collection whose configuration page is rendered. field - Either @field or @instances are required (or @field may be inherited from the ancestor <entry> element). If field is specified, instances are assumed to be instance field . When this attribute is specified, JSON structure is properly set up so that the databinding can set the field (or pass this collection as a constructor parameter of the same name. This is more modern way of doing databinding, and thus preferred approach. forceRowSet - If specified, instead of a sequence of <f:optionalBlock>s, draw a sequence of <rowSet>s. icon - Sets the icon on the sidebar item for the section anchor link The icon isn't visible in the section itself instances - Map<Descriptor,Describable> that defines current instances of those descriptors. These are used to fill initial values. Other classes that define the get(Descriptor) method works fine, too, such as DescribableList. targetType - the type for which descriptors will be configured. default to ${it.class} title - Human readable title of the section to be rendered in HTML. descriptorRadioList Generate config pages from a list of Descriptors into a section. Attribute Name Type Description descriptors (required) - hudson.model.Descriptor collection whose configuration page is rendered. instance (required) - The currently configured instance used to fill the initial values of the form. targetType - the type for which descriptors will be configured. default to ${it.class} title (required) - Human readable title of the section to be rendered in HTML. varName (required) - Used as a variable name as well as block name. dropdownDescriptorSelector Renders a single <select> control for choosing a Describable. Depending on the currently selected value, its config.jelly will be rendered below <select>, allowing the user to configure Describable. Attribute Name Type Description capture - Config fragments from descriptors are rendered lazily by default, which means variables seen in the caller aren't visible to them. This attribute allows you to nominate additional variables and their values to be captured for descriptors. default - If specified, this will be chosen as the default value in case the current selection is null. The default can be a specific instance or a descriptor e.g. ${descriptor.defaultSettingsProvider} or ${descriptor.defaultSettingsProvider.descriptor}. In the later case, the from input fields will be empty. descriptors - Collection that lists up all the valid candidate descriptors. If unspecified, inferred from the type of the field. field (required) - Form field name. Used for databinding. title (required) - Human readable title of this control. dropdownList Foldable block expanded when the corresponding item is selected in the drop-down list. Attribute Name Type Description help - Path to the inline help. See <f:entry help="..." /> name (required) - name of the drop-down list. title - Human readable title text of this drop-down listbox. Shown in the same position as <f:entry title="..." /> dropdownListBlock Foldable block expanded when the corresponding item is selected in the drop-down list. Attribute Name Type Description lazy - If specified, the content of the dropdownListBlock will be rendered lazily when it first becomes visible. The attribute value must be the variables to be captured. See the @capture of <renderOnDemand> tag. selected boolean is this value initially selected? staplerClass - provide hint for stapler data binding. typically set to ${descriptor.clazz.name} if dropdownList is for a list of descriptors. title (required) - human readable text displayed for this list item. value (required) - value of the list item. set to <option value="..."> editableComboBox Editable drop-down combo box. Deprecated as of 1.356. Use f:combobox and databinding instead. Attribute Name Type Description clazz - Additional CSS classes that the control gets. field - Used for databinding. items - List of possible values. Either this or nested <f:editableComboBoxValue/>s are required. editableComboBoxValue Used inside <f:editableComboBox/> to specify one value of a combobox. Normally one would use multiple values. Attribute Name Type Description value (required) - This tag does not accept any child elements/text. entry An entry of the <f:form>, which is one logical row (that consists of several <TR> tags. One entry normally host one control. Attribute Name Type Description class - Classes to apply to the form item description - If it's not obvious to the user as to what the control expects, specify some description text (which currently gets rendered as small text under the control, but that may change.) This text shouldn't get too long, and in recent Hudson, this feature is somewhat de-emphasized, in favor of the inline foldable help page specified via @help. This content is HTML (unless the boolean variable escapeEntryTitleAndDescription is set). Use h.escape if necessary. field - Used for the databinding. TBD. When this attribute is specified, @help is inferred, and nested input controls don't need the @field nor @name. help - URL to the HTML page. When this attribute is specified, the entry gets a (?) icon on the right, and if the user clicks it, the contents of the given URL is rendered as a box below the entry. The URL should return an HTML document wrapped in a <div> tag. The URL is interpreted to be rooted at the context path of Hudson, so it's normally something like "/plugin/foobar/help/abc.html". title - Name of the entry. Think of this like a label for the control. This content is HTML (unless the boolean variable escapeEntryTitleAndDescription is set). Use h.escape if necessary. enum Binds an enum field to a <select> element. The body of this tag is evaluated for each enum value, which is passed as 'it'. Attribute Name Type Description default - The name of the enum to set as default value for the first configuration. field - Used for databinding. TBD. enumSet Binds a set of Enum to a list of checkboxes, each with the label taken from enum Enum.toString() Should be used inside an <f:entry field='...'> element. Attribute Name Type Description field - Used for databinding. This tag does not accept any child elements/text. expandableTextbox A single-line textbox that can be expanded into a multi-line textarea. This control is useful for a field that expects multiple whitespace-separated tokens (such as URLs, glob patterns, etc.) When the user only enters a few tokens, they can keep it as a single line to save space, but to enter a large number of values, this can be turned into textarea for better visibility. If the initial value is already multi-line text, the control starts with textarea. On the server side, your program is responsible for treating ' ', \t, \r, and \n for separators. (StringTokenizer would do this.) Attribute Name Type Description field - Used for databinding. TBD. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. file Generates an input field All unknown attributes are passed through to the field. @since 2.385 Attribute Name Type Description accept - Defines the file types the file input should accept. This string is a comma-separated list. clazz - Additional CSS class(es) to add. field - Used for databinding. jsonAware - Enable structured form submission. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. This tag does not accept any child elements/text. form Outer-most tag of the entire form taglib, that generates <form> element. Attribute Name Type Description action (required) - @action of the form field. The URL where the submission is sent. autocomplete - Optional attribute for allowing browsers to perform auto complete or pre-fill the form from history. Default: false class - Classes to apply to the form enctype - @enctype of the <form> HTML element. id - ID of the form. method (required) - Submission method. Either post or get. name (required) - @name of the form. In HTML this is not a mandatory attribute, but in Hudson you should have it for testing and page scraping, so this attribute is marked required. tableClass - Optional class attribute for <table> that is created in the form. target - @target of the <form> HTML element. Works like <a target="..."> and controls which window the result of the submission goes to. helpArea Place holder to lazy-load help text via AJAX. This tag does not accept any child elements/text. helpLink Outputs a help link for a <f:form> item if help is available or a spacer if none is available. The help link is rendered as a table cell with an (?) icon. If the user clicks it, the content of the HTML fragment at the given URL is rendered in the area designated as <f:helpArea> by the caller, usually in a row beneath the item with help. The alternative spacer is just an empty table cell. This tag was introduced to ensure that the space reserved for help items is consistent over the UI whether or not help exists. @since 1.576 Attribute Name Type Description featureName - Name of the feature described by the help text, used for constructing the icon's alt attribute. Optional. url - URL to the HTML page. Optional. If not given, no help icon is displayed. The URL should return a UTF-8 encoded HTML fragment wrapped in a <div> tag. The URL is interpreted to be rooted at the context path of Jenkins, so it's normally something like "/plugin/foobar/help/abc.html". This tag does not accept any child elements/text. hetero-list Outer most tag for creating a heterogeneous list, where the user can choose arbitrary number of arbitrary items from the given list of descriptors, and configure them independently. The submission can be data-bound into List<T> where T is the common base type for the describable instances. For databinding use, please use <f:repeatableHeteroProperty /> Attribute Name Type Description addCaption - caption of the 'add' button. capture - Config fragments from descriptors are rendered lazily by default, which means variables seen in the caller aren't visible to them. This attribute allows you to nominate additional variables and their values to be captured for descriptors. deleteCaption - caption of the 'delete' button. descriptors (required) - all types that the user can add. disableDragAndDrop java.lang.Boolean If true the drag and drop will not be activated. This just removes the drag and drop UI, it will not prevent users from manually submitting a different order. hasHeader - For each item, add a caption from descriptor.getDisplayName(). This also activates drag&drop (where the header is a grip), and help text support. honorOrder - If true, insert new addition by default to their 'desired' location, which is the order induced by the descriptors. items (required) java.util.Collection existing items to be displayed. Something iterable, such as array or collection. menuAlign - Menu alignment against the button. Defaults to tl-bl name (required) - form name that receives an array for all the items in the heterogeneous list. oneEach - If true, only allow up to one instance per descriptor. targetType - the type for which descriptors will be configured. Defaults to ${it.class} (optional) titleClassMethod - If set to an item of the form , it will be used to call to calculate each item title. hetero-radio Sibling of hetero-list, which only allows the user to pick one type from the list of descriptors and configure it. Attribute Name Type Description descriptors (required) - all types that the user can add. field (required) - Field name in the parent object where databinding happens. This tag does not accept any child elements/text. invisibleEntry Invisible <f:entry> type. Useful for adding hidden field values. link Generates an anchor element with the ability to send POST requests. @since 1.584 Attribute Name Type Description clazz - Additional CSS classes. href - Link destination URL. post - If this must send a POST request. nested number Generates an input field to be used inside <f:entry/> Attribute Name Type Description checkMessage - Override the default error message when client-side validation fails, as with clazz="required", etc. checkMethod String Specify 'get' (must be lowercase) to change the HTTP method used for the AJAX requests to @checkUrl from a POST to a GET. If any other value is specified then requests will use POST. The historical default was GET and 'post' had to be specified to change that, but this was changed in Jenkins 2.285. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS class(es) to add (such as client-side validation clazz="required", "number" or "positive-number"; these may be combined, as clazz="required number"). default - The default value of the text box, in case both @value is and 'instance field ' is null. field java.lang.String Used for databinding. TBD. max - The maximum of the @value. This becomes the @max of the <input> tag. This will work only @clazz is 'number', 'number-required', 'non-negative-number-required', 'positive-number', 'positive-number-required'. If specified, the @value should be less than this value, or errors will be rendered under the text field. If this value contains non-digit characters, it will not work. If @min is specified and @min is greater than this value, both @min and @max will not work. min - The minimum of the @value. This becomes the @min of the <input> tag. This will work only @clazz is 'number', 'number-required', 'non-negative-number-required', 'positive-number', 'positive-number-required'. If specified, the @value should be greater than this value, or errors will be rendered under the text field. If this value contains non-digit characters, it will not work. If @max is specified and @max is less than this value, both @min and @max will not work. name java.lang.String This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. option <option> tag for the <select> element that takes true/false for selected. Attribute Name Type Description selected boolean If true, the option value appears as selected. value - The value to be sent when the form is submitted. If omitted, the body of the tag will be placed in the value attribute as well (due to the browser incompatibility between IE and Firefox, value attribute must be included). optionalBlock Foldable block that can be expanded to show more controls by checking the checkbox. Attribute Name Type Description checked - initial checkbox status. true/false. field - Used for databinding. TBD. Either this or @name/@title combo is required. help - If present, the (?) icon will be rendered on the right to show inline help. See @help for <f:entry>. inline - if present, the foldable section will not be grouped into a separate JSON object upon submission name - Name of the checkbox. Can be used by the server to determine if the block is collapsed or expanded at the time of submission. Note that when the block is collapsed, none of its child controls will send the values to the server (unlike <f:advanced>) negative - if present, the foldable section expands when the checkbox is unchecked. title - Human readable text that follows the checkbox. If this field is null, the checkbox degrades to a <f:rowSet>, which provides a grouping at JSON level but on the UI there's no checkbox (and you always see the body of it.) optionalProperty Renders inline an optional single-value nested data-bound property of the current instance, by using a <f:optionalBlock> This is useful when your object composes another data-bound object, and when that's optional, where the absence of the value is signified as null (in which case the optionalBlock will be drawn unchecked), and the presence of the value. Attribute Name Type Description field (required) - help - title (required) - This tag does not accept any child elements/text. password Glorified <input type="password"> Attribute Name Type Description checkMessage - Override the default error message when client-side validation fails, as with clazz="required", etc. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS class(es) to add (such as client-side validation clazz="required", "number" or "positive-number"; these may be combined, as clazz="required number"). field - Used for databinding. TBD. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. possibleReadOnlyField prepareDatabinding Modifies the 'attrs.field' of the parent to inherit @field from the enclosing <f:entry> if available. Also computes the @checkUrl attribute. This tag does not accept any child elements/text. property Renders inline a single-value nested data-bound property of the current instance. This is useful when your object composes another data-bound object as a nested object, yet your UI would still like to render it Attribute Name Type Description field (required) - propertyDescriptor - If specified, bypass the item descriptor inference and use this instead. This tag does not accept any child elements/text. radio <input type="radio"> tag that takes true/false for @checked, which is more Jelly friendly. Note that Safari doesn't support onchange. Beware that the name attribute should be uniquified among all radio blocks on the page, such as by prefixing it with "G0025." or whatever gensym. For a read only radio input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support Attribute Name Type Description checked - id - name - onclick (deprecated) - Inline JavaScript to execute when the checkbox is clicked. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'class' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. title - If specified, this human readable text will follow the radio, and clicking this text also toggles the radio. value - radioBlock Radio button with a label that hides additional controls. When checked, those additional controls are displayed. This is useful for presenting mutually exclusive options, where each option comes with a sub-form that provides additional configuration. Attribute Name Type Description checked (required) boolean Should this control be initially checked or not? help - If specified, the (?) help icon will be rendered on the right, for in place help text. See <f:entry> for the details. inline - if present, the folded section will not be grouped into a separate JSON object upon submission. name (required) - Name of the radio button group. Radio buttons that are mutually exclusive need to have the same name. title (required) - Human readable label text to be rendered next to the radio button. value (required) - @value of the <input> element. readOnlyTextbox Generates an input field to be used inside <f:entry/> Attribute Name Type Description checkMessage - Override the default error message when client-side validation fails, as with clazz="required", etc. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS class(es) to add (such as client-side validation clazz="required", "number" or "positive-number"; these may be combined, as clazz="required number"). default - The default value of the text box, in case both @value is and 'instance field ' is null. field - Used for databinding. TBD. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. onchange (deprecated) - Inline JavaScript to execute when the textbox is changed. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'clazz' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. onkeyup (deprecated) - Inline JavaScript to execute when the keyup event is fired. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'clazz' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. repeatable Repeatable blocks used to present UI where the user can configure multiple entries of the same kind (see the Java installations configuration in the system config.) This tag works like <j:forEach> and repeatedly evaluate the body so that initially all the items get their own copy. This tag also evaluate the body once more with var=null to create a 'master copy', which is the template entry used when a new copy is inserted. HTML structure This tag mainly produces the nested DIVs with CSS classes as follows: <div class="repeated-container"> // container for the whole thing <div class="repeated-chunk"> ... copy 1 ... <div class="repeated-chunk"> ... copy 2 ... ... The 'repeated-chunk' DIVs will also have additional CSS classes that represent their positions among siblings: first : first chunk among the siblings last : last chunk among the siblings middle: neither first nor last only : it is the only chunk (automatically get first and last at the same time) Usage Note The caller of this tag should define a button to add a new copy and delete the current copy. Such buttons should have 'repeatable-add' CSS class and 'repeatable-delete' CSS class respectively (it can have other CSS classes), so that their event handlers get properly wired up. The positional CSS classes on 'repeated-chunk' DIVs (as explained above) can be used to control the visibility of such buttons. For example, this allows you to hide 'delete' button if there's only one item, or only show 'add' button on the last row. There are a few CSS classes already defined in style.css for this purpose. Attribute Name Type Description add - If specified, this text will replace the standard "Add" text. default - Use this collection for items if items or @field is null enableTopButton - true if a new Add button, for adding new copy of repeatable item, should be displayed above repeatable form. Display of top button depends also on number of items. If there is no item, only one button is displayed. When at least one item is present, there are two buttons displayed (only when enableTopButton is true). One above and one below. Top button adds item on top of repeatable form. Bottom button adds item on the bottom of repeatable form. field - Used for the data binding. header - For each item, add this header. This also activates drag&drop (where the header is a grip). items - The item collection to loop over. Required unless @field is given. minimum - At least provide this number of copies initially. minimum="1" is useful to make sure there's always at least one entry for the user to fill in. name - name used in the structured form submission. Defaults to the same name as @var. noAddButton - true if the default 'add' button (that adds a new copy) shouldn't be displayed. When you use this attribute, var - variable that receives the item of the current iteration. Accessible from the body. Required unless @field is given. varStatus - Status variable that indicates the loop status. repeatableDeleteButton Delete button for the <repeatable> tag. Attribute Name Type Description value - Caption of the button. Defaults to 'Delete'. This tag does not accept any child elements/text. repeatableHeteroProperty Data-bound only version of <f:hetero-list> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. Attribute Name Type Description addCaption - caption of the 'add' button. capture - Config fragments from descriptors are rendered lazily by default, which means variables seen in the caller aren't visible to them. This attribute allows you to nominate additional variables and their values to be captured for descriptors. deleteCaption - caption of the 'delete' button. field - Used for the data binding. hasHeader - For each item, add a caption from descriptor.getDisplayName(). This also activates drag&drop (where the header is a grip), and help text support. honorOrder - If true, insert new addition by default to their 'desired' location, which is the order induced by the descriptors. menuAlign - Menu alignment against the button. Defaults to tl-bl oneEach - If true, only allow up to one instance per descriptor. targetType - the type for which descriptors will be configured. Defaults to ${it.class} (optional) This tag does not accept any child elements/text. repeatableProperty Data-bound only version of <f:repeatable> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. Unless that nested config.jelly already adds a delete button (deprecated), you should normally put the following inside this tag: <f:block> <div align="right"> <f:repeatableDeleteButton /> </div> </f:block> Due to a bug in Stapler data binding the model elements are only set if they consist of one or more values. If all values have been removed in the user interface (i.e. the associated form is empty), then the setter is not invoked anymore. As a workaround, you need to override the corresponding configure method and clear the model property manually before invoking the data binding. See warnings-ng-plugin PR#266. Attribute Name Type Description add - If specified, this text will replace the standard "Add" text. default - The default value to use for this collection when 'instance field ' is null. enableTopButton - true if a new Add button, for adding new copy of repeatable item, should be displayed above repeatable form. Display of top button depends also on number of items. If there is no item, only one button is displayed. When at least one item is present, there are two buttons displayed (only when enableTopButton is true). One above and one below. Top button adds item on top of repeatable form. Bottom button adds item on the bottom of repeatable form. field - Used for the data binding. header - For each item, add this header. This also activates drag&drop (where the header is a grip). minimum - At least provide this number of copies initially. minimum="1" is useful to make sure there's always at least one entry for the user to fill in. noAddButton - true if the default 'add' button (that adds a new copy) shouldn't be displayed. When you use this attribute, rowSet Adds @nameRef to all table rows inside this tag, so that when the form is submitted, it gets grouped in one JSON object. Attribute Name Type Description name - if the group head is not available outside, use this attribute to specify the name. @name and @ref are mutually exclusive. ref - id of the thing that serves as the group head, if that's available separately saveApplyBar Creates the bottom bar for the "Save" and "Apply" buttons. In read only mode (<j:set var="readOnlyMode" value="true"/>) the buttons are not displayed. This tag does not accept any child elements/text. secretTextarea Enhanced version of <f:textarea/> for editing multi-line secrets. Example usage: <j:jelly xmlns:j="jelly:core" xmlns:f="/lib/form"> <f:entry title="Secret" field="secret"> <f:secretTextarea/> </f:entry> <f:entry title="Secret 2"> <f:secretTextarea field="secret2"/> </f:entry> <f:entry title="Another Secret"> <f:secretTextarea name="foo" value="${it.foo}"/> </f:entry> </j:jelly> Attribute Name Type Description checkMethod String Specify 'get' (must be lowercase) to change the HTTP method used for the AJAX requests to @checkUrl from a POST to a GET. If any other value is specified then requests will use POST. The historical default was GET and 'post' had to be specified to change that, but this was changed in Jenkins 2.285. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the r | 2026-01-13T09:29:34 |
https://www.ecns.cn/hd/2026-01-04/detail-iheymvap1612569.shtml#2 | International ice sculpture competition heats up in Harbin --> 中文 Home News Ecns Wire Business Travel Photo Video Voices RIGHT BG LINE Text: A A A Print Photo International ice sculpture competition heats up in Harbin ( 1 /10) 2026-01-04 10:20:27 Ecns.cn Editor :Zhao Li Members of a team from St. Petersburg, Russia, work on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026.(Photo: China News Service/Zhao Yuhang) The competition has attracted 38 teams and 76 artists from 12 countries, including Australia, Poland, France, the United States, Spain, India and China. A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A contestant from Mongolia works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Aerial photo) (Photo: Yu Kun) A contestant from Mongolia works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Aerial photo) (Photo: Yu Kun) Members of a China?Russia joint team carve an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, Jan. 3, 2026. (Aerial photo/ Yu Kun) The work was created to mark the 10th anniversary of the sister-city relationship between Harbin and Murmansk, Russia. (Photo: Yu Kun) A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Spanish contestant works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Spanish contestant works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) Previous The competition has attracted 38 teams and 76 artists from 12 countries, including Australia, Poland, France, the United States, Spain, India and China.--> The work was created to mark the 10th anniversary of the sister-city relationship between Harbin and Murmansk, Russia. (Photo: Yu Kun)--> Next (1) (2) (3) (4) (5) (6) (7) (8) (9) (10) LINE More Photo Mourners pay tribute to Crans-Montana bar fire victims Venezuelan leader Maduro brought to New York Highlights of Chinese President Xi Jinping's 2026 New Year message Beijing-Tangshan intercity railway starts full-line operation First 'Grassland curling' attracts 350 competitors China launches two new satellites for space target detection test ${visuals_2} ${visuals_3} More Video (W.E. Talk) Experts on 2026: China's 15th Five-Year Plan significant for the World (W.E. Talk) Experts look to 2026: Seizing opportunities amid crises, forging ahead after breakthroughs The Awkward Chronicles of Uncle Sam: Claimed Glory, Met Chaos The Dunhuang Flying Dancers in the 1,360°C kiln fire The Awkward Chronicles of Uncle Sam: Tariff Bullying and Backfire (W.E. Talk) Experts' review on 2025: China serves as a stabilizing force in a world of turmoil and chaos ${new_video_hd2} ${new_video_hd3} LINE Media partners: People's Daily | Xinhua | CGTN | China Daily Back to top About Us | Jobs | Contact Us | Privacy Policy Copyright ©1999-2026 Chinanews.com. All rights reserved. Reproduction in whole or in part without permission is prohibited. [ 网上传播视听节目许可证(0106168) ] [ 京ICP证040655号 ] [ 京公网安备 11010202009201号 ] [ 京ICP备05004340号-1 ] --> --> | 2026-01-13T09:29:34 |
https://translations.documentfoundation.org/languages/en | English @ TDF Weblate - LibreOffice Toggle navigation TDF Weblate - LibreOffice Dashboard Projects Browse all projects Languages Browse all languages Checks Checks overview Register Sign in Help Get support Contact About Weblate Documentation Contribute to Weblate Donate to Weblate Languages English Projects Information Search History Tools Failing checks Project Translated Unfinished Unfinished words Unfinished characters Untranslated Checks Suggestions Comments android-viewer =translated"> 0 0 0 0 0 0 0 Impress Remote =translated"> 0 0 0 0 0 0 0 LibreOffice Help – 25.2 =translated"> 0 0 0 0 0 0 10 LibreOffice Help – 25.8 =translated"> 0 0 0 0 0 0 1 LibreOffice Help - master =translated"> 0 0 0 0 0 0 88 LibreOffice Online =translated"> 0 0 0 0 0 0 1 LibreOffice Template System (Wollmux) =translated"> 0 0 0 0 0 0 0 LibreOffice UI – 25.2 =translated"> 0 0 0 0 0 0 5 LibreOffice UI – 25.8 =translated"> 0 0 0 0 0 0 1 LibreOffice UI - master =translated"> 0 0 0 0 0 0 60 website =translated"> 0 0 0 0 0 0 5 Overview Language code en Aliased language codes base, en_en, en_us, eng, enp, source English name of the language English Text direction Left to right Case sensitivity Case-sensitive Number of speakers 1,728,900,209 Plural: Default plural 720 translations Number of plurals 2 Plural type One/other Plurals Singular 1 Plural 0, 2, 3, 4, 5, 6, 7, 8, 9, 10, … Plural formula n != 1 Plural: Qt Linguist plural 0 translations Number of plurals 2 Plural type One/other Plurals Singular 1 Plural 0, 2, 3, 4, 5, 6, 7, 8, 9, 10, … Plural formula (n != 1) an hour ago String statistics Strings percent Hosted strings Words percent Hosted words Characters percent Hosted characters Total 350,164 2,784,179 22,282,334 Approved 0% 0 0% 0 0% 0 Waiting for review 1% 1,018 0% 1,851 0% 13,110 Translated 100% 350,164 100% 2,784,179 100% 22,282,334 Needs editing 0% 0 0% 0 0% 0 Read-only 99% 349,146 99% 2,782,328 99% 22,269,224 Failing checks 0% 0 0% 0 0% 0 Strings with suggestions 0% 0 0% 0 0% 0 Untranslated strings 0% 0 0% 0 0% 0 Last 12 months Previous Activity in last 12 months 78 changes 500 changes 95,764 changes 234 changes 226 changes 471 changes 13,756 changes 211 changes 806 changes 192 changes 425 changes 574 changes 39,388 changes 97,675 changes 181 changes 660 changes 58,276 changes 113 changes 614 changes 640 changes 771 changes 1,315 changes 97,358 changes 201 changes Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec Quick numbers 2,784 k Hosted words 350 k Hosted strings 100% Translated 3 Contributors and previous 30 days Trends of last 30 days +1% Hosted words +100% +1% Hosted strings +100% — Translated +100% −100% Contributors +100% None Resource updated LibreOffice Help - master text/scalc/guide English The “ templates/helpcontent2/source/text/scalc/guide.pot ” file was changed. 19 hours ago None String added in the repository LibreOffice Help - master text/scalc/guide English English Absolute reference English 18 characters edited Current translation Read-only Absolute reference 19 hours ago None String added in the repository LibreOffice Help - master text/scalc/guide English English Absolute row and relative column English 32 characters edited Current translation Read-only Absolute row and relative column 19 hours ago None Resource updated LibreOffice Help - master text/shared/optionen English The “ templates/helpcontent2/source/text/shared/optionen.pot ” file was changed. 19 hours ago None String added in the repository LibreOffice Help - master text/shared/optionen English English Enables all available accessibility check options. English 50 characters edited Current translation Read-only Enables all available accessibility check options. 19 hours ago None String added in the repository LibreOffice Help - master text/shared/optionen English English Enable All English 10 characters edited Current translation Read-only Enable All 19 hours ago None String added in the repository LibreOffice Help - master text/shared/optionen English English Controls if certain other animations (for example 'marching ants' animation when copying a cell in Calc) are enabled. English 117 characters edited Current translation Read-only Controls if certain other animations (for example 'marching ants' animation when copying a cell in Calc) are enabled. 19 hours ago None Resource updated LibreOffice Help - master text/shared/guide English The “ templates/helpcontent2/source/text/shared/guide.pot ” file was changed. 19 hours ago None String added in the repository LibreOffice Help - master text/shared/guide English English Excel 2010–365 Template English 23 characters edited Current translation Read-only Excel 2010–365 Template 19 hours ago None String added in the repository LibreOffice Help - master text/shared/guide English English Excel 2010–365 Spreadsheet English 26 characters edited Current translation Read-only Excel 2010–365 Spreadsheet 19 hours ago Browse all changes for this language Search Filters Untranslated strings • state:empty Unfinished strings • state:<translated Translated strings • state:>=translated Strings marked for edit • state:needs-editing Strings with suggestions • has:suggestion Strings with variants • has:variant Strings with screenshots • has:screenshot Strings with labels • has:label Strings with context • has:context Unfinished strings without suggestions • state:<translated AND NOT has:suggestion Strings with comments • has:comment Strings with any failing checks • has:check Approved strings • state:approved Strings waiting for review • state:translated Sort By Position and priority Position Priority Labels Source string Target string String age Last updated Number of words Number of comments Number of failing checks Key String location Advanced query builder Source strings Source strings Target strings Key/Context strings Source string description Location strings String state Pending string String target language String changed by Exact Add Strings with suggestions Strings with suggestions Strings with comments Strings with any failing checks Strings without screenshots Pluralized string Strings with context Add =" data-toggle="dropdown" aria-haspopup="true" aria-expanded="false"> String changed after =">String changed after String changed before Add Query examples Review strings changed by other users changed:>="1 month ago" AND NOT changed_by:anonymous Add Translated strings state:>=translated Add Strings with comments has:comment Add Strings with any failing checks has:check Add Strings with suggestions from others has:suggestion AND NOT suggestion_author:anonymous Add Approved strings with suggestions state:approved AND has:suggestion Add All untranslated strings added the past month added:>="1 month ago" AND state:<=needs-editing Add Strings changed in the past two weeks changed:>="2 weeks ago" Add × Close Screenshot details Close × Available Shortcuts Shortcut Action ? Open available keyboard shortcuts. Alt + Home Navigate to the first translation in the current search. Alt + End Navigate to the last translation in the current search. Alt + PageUp or Ctrl + ↑ or Alt + ↑ or Cmd + ↑ or Navigate to the last translation in the current search. Alt + PageDown or Ctrl + ↓ or Alt + ↓ or Cmd + ↓ or Navigate to the next translation in the current search. Ctrl + Enter or Cmd + Enter Submit current form; this works the same as pressing Save and continue while editing translation. Ctrl + Shift + Enter or Cmd + Shift + Enter Unmark translation as Needing edit and submit it. Alt + Enter or Option + Enter Submit the string as a suggestion; this works the same as pressing Suggest while editing translation. Ctrl + E or Cmd + E Focus on translation editor. Ctrl + U or Cmd + U Focus on comment editor. Ctrl + M or Cmd + M Shows Automatic suggestions tab. Ctrl + 1 to Ctrl + 9 or Cmd + 1 to Cmd + 9 Copies placeable of a given number from source string. Ctrl + M followed by 1 to 9 or Cmd + M followed by 1 to 9 Copy the machine translation of a given number to current translation. Ctrl + I followed by 1 to 9 or Cmd + I followed by 1 to 9 Ignore one item in the list of failing checks. Ctrl + J or Cmd + J Shows the Nearby strings tab. Ctrl + S or Cmd + S Focus on search field. Ctrl + O or Cmd + O Copy the source string. Ctrl + Y or Cmd + Y Toggle the Needs editing checkbox. → Browse the next translation string. ← Browse the previous translation string. Close Powered by Weblate 5.10.1 About Weblate Legal Contact Documentation Donate to Weblate | 2026-01-13T09:29:34 |
https://cloudflare.com/ko-kr/ai-solution/ | 인공 지능(AI) 솔루션 | Cloudflare 가입 언어 English English (United Kingdom) Deutsch Español (Latinoamérica) Español (España) Français Italiano 日本語 한국어 Polski Português (Brasil) Русский 繁體中文 简体中文 플랫폼 클라우드 연결성 Cloudflare의 클라우드 연결성은 60여 가지의 네트워킹, 보안, 성능 서비스를 제공합니다. Enterprise 대규모 및 중간 규모 조직용 중소기업 소규모 조직용 파트너 Cloudflare 파트너 되기 사용 사례 애플리케이션 최신화 성능 가속화 애플리케이션 가용성 보장 웹 경험 최적화 보안 최신화 VPN 교체 피싱 방어 웹 애플리케이션 및 API 보호 네트워크 최신화 커피숍 네트워킹 WAN 최신화 기업 네트워크 간소화 CXO 주제 AI 도입 인력 및 디지털 경험에 AI 도입 AI 보안 에이전틱 AI 및 생성형 AI 애플리케이션 보안 강화 데이터 규제 준수 규제 준수를 간소화하고 위험을 최소화 포스트 퀀텀 암호화 데이터 보호 및 규제 준수 표준 충족 산업 분야 의료 뱅킹 리테일 게임 공공 부문 리소스 제품 가이드 참조 아키텍처 분석 보고서 참여 이벤트 데모 웨비나 워크숍 데모 요청 제품 제품 워크스페이스 보안 Zero Trust 네트워크 액세스 보안 웹 게이트웨이 이메일 보안 클라우드 액세스 보안 브로커 애플리케이션 보안 L7 DDoS 방어 웹 애플리케이션 방화벽 API 보안 봇 관리 애플리케이션 성능 CDN DNS 스마트 라우팅 Load balancing 네트워킹 및 SASE L3/4 DDoS 방어 NaaS / SD-WAN 서비스형 방화벽 네트워크 상호 연결 요금제 및 가격 Enterprise 요금제 중소기업 요금제 개별 요금제 요금제 비교 글로벌 서비스 지원 및 성공 번들 최적화된 Cloudflare 경험 전문 서비스 전문가 주도 구현 기술 계정 관리 집중적인 기술 관리 보안 운영 서비스 Cloudflare 모니터링 및 대응 도메인 등록 도메인 구매 및 관리 1.1.1.1 무료 DNS 확인자 리소스 제품 가이드 참조 아키텍처 분석 보고서 제품 데모 및 투어 제품 추천받기 개발자 문서 개발자 라이브러리 문서 및 가이드 애플리케이션 데모 무엇을 구축할 수 있는지 알아보세요 튜토리얼 단계별 구축 튜토리얼 참조 아키텍처 다이어그램 및 디자인 패턴 제품 인공 지능 AI Gateway AI 애플리케이션 관찰 및 제어 Workers AI Cloudflare 네트워크에서 ML 모델 실행 컴퓨팅 Observability 로그, 메트릭, 추적 Workers 서버리스 애플리케이션 구축 및 배포 미디어 Images 이미지 변환, 최적화 Realtime 실시간 오디오/비디오 애플리케이션 구축 스토리지 및 데이터베이스 D1 서버리스 SQL 데이터베이스 생성 R2 값비싼 송신료 없이 데이터 저장 요금제 및 가격 Workers 서버리스 애플리케이션 구축 및 배포 Workers KV 애플리케이션용 서버리스 키-값 저장소 R2 값비싼 송신료 없이 데이터 저장 프로젝트 살펴보기 고객 사례 30초 이내의 AI 데모 시작을 위한 빠른 가이드 Workers Playground 탐색 빌드, 테스트, 배포 개발자 Discord 커뮤니티 가입 구축 시작하기 파트너 파트너 네트워크 Cloudflare로 성장, 혁신, 고객 요구 충족 파트너 포털 리소스 찾기 및 거래 등록 파트너십 유형 PowerUP 프로그램 고객 연결성과 보안을 유지하면서 비즈니스 성장시키기 기술 파트너 Cloudflare의 기술 파트너십과 통합 생태계 살펴보기 글로벌 시스템 통합업체 대규모 디지털 변환을 원활하게 지원 서비스 공급자 Cloudflare의 주요 서비스 공급자 네트워크 알아보기 셀프 서비스 에이전시 프로그램 귀사 고객을 위한 셀프서비스 계정 관리 피어 투 피어 포털 네트워크 트래픽 인사이트 파트너 검색 Cloudflare Powered+ 파트너와 협력하여 비즈니스 역량을 강화하세요. 자료 참여 데모 + 제품 투어 온디맨드 제품 데모 사례 연구 Cloudflare로 성공 추진하기 웨비나 유익한 논의 워크숍 가상 포럼 라이브러리 유용한 가이드, 로드맵 등 보고서 Cloudflare 연구의 인사이트 블로그 기술 심층 탐구 및 제품 뉴스 학습 센터 교육 도구 및 실전 활용 콘텐츠 구축 참조 아키텍처 기술 가이드 솔루션 + 제품 안내서 제품 문서 문서 개발자 문서 탐색 theNet 디지털 기업을 위한 경영진 인사이트 Cloudflare TV 혁신적인 시리즈 및 이벤트 Cloudforce One 위협 연구 및 운영 Radar 인터넷 트래픽 및 보안 동향 분석 보고서 업계 연구 보고서 이벤트 예정된 지역 이벤트 신뢰, 개인정보 보호, 규제 준수 규제 준수 정보 및 정책 지원 문의 커뮤니티 포럼 계정에 접근할 수 없으신가요? 개발자 Discord 지원받기 회사 회사 정보 리더십 Cloudflare 리더 만나보기 투자자 관계 투자자 정보 언론 최근 뉴스 살펴보기 채용 정보 진행 중인 역할 살펴보기 신뢰, 개인정보 보호, 안전 개인정보 보호 정책, 데이터, 보호 신뢰하지 않음 정책, 프로세스, 안전 규정 준수 인증 및 규제 투명성 정책 및 공개 공익 인도주의 Galileo 프로젝트 정부 기관 Athenian 프로젝트 선거 Cloudflare for Campaigns 건강 Project Fair Shot 전역 네트워크 글로벌 위치 및 상태 로그인 영업팀에 문의 AI 여정 가속화하기 AI 비전은 이미 갖추고 계십니다. Cloudflare의 통합 보안, 연결성 및 개발자 플랫폼은 더 빠른 속도와 강화된 보안으로 비전을 실행할 수 있도록 지원합니다. 자문 요청 문제 복잡성으로 인한 AI 영향력 감소 조직들은 야심 찬 AI 목표를 가지고 있습니다. 그러나 많은 프로젝트가 느린 개발 속도, 확장성 문제, 새로운 유형의 위험으로 인해 제약을 받고 있습니다. AI 개발 속도 지연 복잡한 툴체인과 끊임없이 변화하는 기술 환경은 AI 혁신을 저해합니다. AI 확장의 어려움 전 세계 사용자 기반, 사용량 급증, 유연하지 않은 컴퓨팅 비용으로 인해 AI 성장이 제한됩니다. 증가하는 AI 위험 제한된 가시성과 복잡한 위험 관리, 미흡한 데이터 거버넌스는 AI의 효과를 저해하며, 이는 AI가 생성한 코드에도 영향을 미칩니다. 솔루션 Cloudflare는 AI 제어의 단일 거점입니다 Cloudflare의 클라우드 연결성 은 조직이 AI 애플리케이션을 구축하고, 연결 및 확장하며, 글로벌 단일 플랫폼에서 전체 AI 라이프사이클을 보호할 수 있도록 지원합니다. AI 구축 API 보안 강화 핵심적인 AI 필요 AI 전략을 수립하거나 뒤처지거나 지난 한 해 동안 AI가 이뤄낸 발전 및 사용 사례는 우리가 일하고 정보를 소비하는 방식을 변화시킬 수 있는 엄청난 잠재력을 보여줍니다. 회사에서 AI를 소비하는 방법, 지적 재산을 보호하는 방법, 내부 및 외부 앱에 AI 지원 구성 요소를 추가하는 방법을 포함하는 AI 전략을 제공해야 한다는 부담감이 높습니다. 더 빠른 혁신 AI 모델의 종류에 관계없이, 더 빠른 속도와 낮은 비용, 높은 민첩성으로 AI 애플리케이션을 구축하세요. 전 세계적 규모 복잡한 AI 스택과 전 세계 사용자 기반에 걸쳐 안정적이고 빠른 경험을 제공합니다. 내장형 보안 복잡한 대시보드나 지속적인 정책 업데이트 없이도 AI 위험을 이해하고 관리합니다. 전자책: AI 보호 및 확장을 위한 엔터프라이즈 가이드 기업이 AI 인프라를 대규모로 구축하고 보호하는 데 어려움을 겪는 이유, 하이퍼스케일러의 AI 인프라가 자주 한계에 부딪히는 이유, 이러한 어려움을 극복하는 방법을 알아보세요. 전자책 읽어보기 Fortune 1,000대 기업 중 30%를 포함하는 글로벌 리더, Cloudflare에 의존 전문가와 대화를 나눌 준비가 되셨습니까? 자문 요청 작동 방식 AI 보안, 연결성, 개발자 서비스를 통합한 단일 플랫폼 Cloudflare의 AI 서비스는 전 세계 330+ 개 도시 네트워크 어디에서나 실행되도록 설계되었으며, 이미 상위 50대 생성형 AI 기업 중 80%가 사용하고 있습니다. 구축 Cloudflare 글로벌 네트워크 전반에서 50여 개의 AI 모델에 접근해 전체 스택 AI 애플리케이션을 구축하세요. 대기 시간에 대한 비용을 지불하지 않고 에이전트를 구축하고 실행할 수 있습니다. 자세한 정보 연결 AI 기반 애플리케이션을 제어 및 관찰하는 동시에, 추론 비용을 절감하고 트래픽을 동적으로 라우팅합니다. Cloudflare 글로벌 네트워크 전반에서 실행되는 MCP 서버를 구축하세요. 자세한 정보 보호 AI 라이프사이클 전반에서 가시성을 확장하고 위험을 완화하며 데이터를 보호합니다. AI 크롤러가 웹 콘텐츠에 액세스하는 방법을 제어하세요. 자세한 정보 Cloudflare, Indeed의 섀도우 AI 사용 검색 및 관리 지원 선도적인 구직 사이트 Indeed는 직원들이 사용하는 AI 애플리케이션에 대해 보다 깊이 있는 인사이트와 강력한 제어 능력을 확보하고자 했습니다. Indeed는 AI 사용 패턴을 탐지하고 데이터 사용 정책을 시행하도록 지원하는 Cloudflare의 AI 보안 제품군 을 도입했습니다. 이제 Indeed는 혁신과 통제의 적절한 균형을 향해 나아가고 있습니다. “Cloudflare는 당사가 존재하는 섀도우 AI 위험을 찾아내고, 승인되지 않은 AI 애플리케이션과 챗봇을 차단하는 데 도움이 됩니다.” 시작하기 Free 요금제 중소기업 요금제 기업용 추천받기 데모 요청 영업팀에 문의 솔루션 클라우드 연결성 애플리케이션 서비스 SASE 및 워크스페이스 보안 네트워크 서비스 개발자 플랫폼 지원 도움말 센터 고객 지원 커뮤니티 포럼 개발자 Discord 계정에 액세스할 수 없습니까? Cloudflare 상태 규제 준수 규제 준수 관련 자료 신뢰 GDPR 책임감 있는 AI 투명성 보고서 남용 신고하기 공공의 이익 Galileo 프로젝트 아테네 프로젝트 Cloudflare for Campaigns Fairshot 프로젝트 회사 Cloudflare 소개 네트워크 지도 Cloudflare 팀 로고 및 보도 자료 키트 다양성, 공정성, 포용성 영향/ESG © 2026 Cloudflare, Inc. 개인정보처리방침 사용 약관 보안 문제 보고 쿠키 기본 상표 | 2026-01-13T09:29:34 |
https://gitstar-ranking.com/vuejs | vuejs - Gitstar Ranking Gitstar Ranking Users Organizations Repositories Rankings Users Organizations Repositories Sign in with GitHub vuejs Star 626986 Rank 9 Go to GitHub Fetched on 2026/01/09 06:37 124 Repositories vue 209821 awesome-vue 73582 core 52664 vue-cli 29661 vuex 28407 devtools-v6 24796 vuepress 22815 vue-router 18939 vitepress 16806 pinia 14395 vue-hackernews-2.0 10913 petite-vue 9628 language-tools 6571 apollo 6061 vue-class-component 5784 vetur 5765 v2.vuejs.org 5004 vue-loader 4983 rfcs 4942 eslint-plugin-vue 4599 router 4464 create-vue 4289 composition-api 4202 vuefire 3918 vue-test-utils 3559 vue-rx 3349 docs 3170 devtools 2722 vue-touch 2709 vue-hackernews 2595 vuex-router-sync 2502 vue-vapor 2393 v2.cn.vuejs.org 1865 babel-plugin-transform-vue-jsx 1852 babel-plugin-jsx 1789 jsx-vue2 1483 vue-syntax-highlight 1481 ui 1324 vue-docs-zh-cn 1319 vueify 1169 test-utils 1141 repl 1085 vue-web-component-wrapper 1067 docs-next-zh-cn 945 rollup-plugin-vue 842 roadmap 841 vue-jest 760 vue-migration-helper 596 vue-dev-server 571 vue2-ssr-docs 568 1 2 3 › Released by @k0kubun in December 2014. Fork me on GitHub . | 2026-01-13T09:29:34 |
https://gitstar-ranking.com/bytedance | bytedance - Gitstar Ranking Gitstar Ranking Users Organizations Repositories Rankings Users Organizations Repositories Sign in with GitHub bytedance Star 235196 Rank 42 Go to GitHub Fetched on 2026/01/09 06:12 395 Repositories UI-TARS-desktop 21139 deer-flow 19023 trae-agent 10475 xgplayer 9083 monolith 9046 sonic 9013 IconPark 8936 UI-TARS 8806 Dolphin 8485 flowgram.ai 7524 MegaTTS3 6060 LatentSync 5318 monoio 4839 byteps 3715 lightseq 3303 ByteX 3251 InfiniteYou 2656 Elkeid 2547 btrace 2443 bhook 2419 scene 2355 AlphaPlayer 2339 android-inline-hook 2184 flutter_ume 2162 terarkdb 2137 CodeLocator 2074 gopkg 1978 piano_transcription 1921 GiantMIDI-Piano 1847 DreamO 1743 go-tagexpr 1735 appshark 1723 bitsail 1680 Sa2VA 1488 pasa 1471 Protenix 1436 AabResGuard 1394 music_source_separation 1381 SALMONN 1375 UNO 1342 flux 1218 BoostMultiDex 1198 USO 1197 memory-leak-detector 1169 Fastbot_Android 1153 1d-tokenizer 1093 godlp 1034 MVDream 968 sonic-cpp 957 fedlearner 900 1 2 3 4 5 … › Released by @k0kubun in December 2014. Fork me on GitHub . | 2026-01-13T09:29:34 |
https://ar.libreoffice.org/ | الرئيسية » ليبر أوفيس ليبر أوفيس، حزمة البرامج المكتبية.. حيث النوعية والحرية.. أولوية الرئيسية تنزيل المزايا المساعدة الإنضمام إلينا التطوير مواقع دولية حول English الرئيسية Libreoffice (تنطق: ليبر أوفيس) هو حزمة البرامج المكتبية الحرة ومفتوحة المصدر، يعمل البرنامج على أكثر المنصات شهرة في العالم ويندوز، ماكنتوش ولينكس، يمنحك LibreOffice ستة برامج غنية لتلبية جميع احتياجاتك المكتبية من تحرير الوثائق و معالجة البيانات وتقديم العروض والرسم وبناء قواعد البيانات وغيرها من الإستعمالات المكتبية البسيطة والمعقدة، قائمة برامج الحزمة هي: رايتر كالك إمبريس درو ماث بيس الدعم و وثائق المساعدة مجانية يسهر على توفيرها أعضاء مجتمعنا من المستخدمين، المساهمين والمطورين، أنت أيضا يمكنك أن تنخرط معنا لتساعد في ذلك! اطلع على ما يمكن أن يوفره لك ليبر أوفيس » نزل ليبر أوفيس 4 Your Link Your Link تواصل معنا في مجتمع لينكس العربي تواصل معنا في مجتمع لينكس الجزائر نزّل إمتدادات ليبر أوفيس نزّل قوالب ليبر أوفيس ⬆ إلى الأعلى Privacy Policy (Datenschutzerklärung) | Impressum (Legal Info) | Statutes (non-binding English translation) - Satzung (binding German version) | Copyright information: Unless otherwise specified, all text and images on this website are licensed under the Creative Commons Attribution-Share Alike 3.0 License . This does not include the source code of LibreOffice, which is licensed under the Mozilla Public License v2.0 . "LibreOffice" and "The Document Foundation" are registered trademarks of their corresponding registered owners or are in actual use as trademarks in one or more countries. Their respective logos and icons are also subject to international copyright laws. Use thereof is explained in our trademark policy . LibreOffice was based on OpenOffice.org. | 2026-01-13T09:29:34 |
http://www.seeningxia.com/ | Ningxia, China  中文版 Contact Us HOME AMAZING NINGXIA Overview Cities Photos & Videos WHAT'S NEW Updates In Focus TRAVEL Ethnic culture Attractions Dining Hotels Transportation Shopping Routes Tips BUSINESS Advantages Guide Policies Industries Industrial Parks Companies LIVING Visas Education Healthcare Marriage Adoption Hotlines SPECIALS    Decoding China's five-year plan Income of Ningxia residents continues to rise during 14th Five-Year Plan period New 'pocket parks' in Xixia boost happiness among city residents Wine from eastern foothills of Helan Mountains highly praised Updates Indulge your taste buds in Ningxia's Yinchuan January 05, 2026 The Baotou-Yinchuan High-Speed Railway has made it more convenient for people to enjoy the delicacies of Yinchuan, Ningxia Hui autonomous region. Come and try them for yourself! Welcome New Year at cultural feast in Yinchuan December 30, 2025 A China-chic concert for the New Year will be held at Yinchuan Cultural City · Phoenix Fantasy City in Yinchuan, Ningxia Hui autonomous region, offering a culture-filled New Year feast. Income of Ningxia residents continues to rise during 14th Five-Year Plan period December 29, 2025 During the 14th Five-Year Plan period (2021-25), the per capita disposable income of all residents in the Ningxia Hui autonomous region increased from 25,735 yuan ($3,672) in 2020 to 33,355 yuan in 2024. Zhongwei's scenic spot and hotel make Trip.com top 100 rankings December 23, 2025 Trip.com Group recently launched its 2026 Word-of-Mouth Travel Rankings, with the Shapotou Scenic Spot and Desert Diamond Hotel in Zhongwei earning spots. Read More   Business Advantages The region used to be an important station along the ancient Silk Road and is designated by the central government as a promising opening-up pilot economic zone in inland China. Guide Policies Industries Industrial Parks Companies TRAVEL Ethnic culture Attractions Dining Hotels Shopping Transportation  Shizuishan  Yinchuan  Zhongwei  Wuzhong  Guyuan OVERVIEW Ningxia Hui autonomous region is a place where natural beauty and rich culture converge. It boasts beautiful and fertile plains, creating a landscape of abundant harvests and fragrant fruits. Read More Visas Education Healthcare Marriage Adoption Hotlines AMAZING NINGXIA Overview Cities Photos & Videos WHAT'S NEW Updates In Focus SPECIALS TRAVEL Ethnic culture Attractions Dining Hotels Transportation Shopping Routes Tips BUSINESS Advantages Guide Policies Industries Industrial Parks Companies LIVING Visas Education Healthcare Marriage Adoption Hotlines Links The State Council Jinfeng District Copyright © Ningxia Hui Autonomous Region. All rights reserved. Presented by China Daily. | 2026-01-13T09:29:34 |
https://gitstar-ranking.com/Tencent | Tencent - Gitstar Ranking Gitstar Ranking Users Organizations Repositories Rankings Users Organizations Repositories Sign in with GitHub Tencent Star 538936 Rank 11 Go to GitHub Fetched on 2026/01/09 09:27 230 Repositories weui 27391 wepy 22665 ncnn 22586 MMKV 18420 APIJSON 18387 tinker 17804 mars 17601 vConsole 17394 weui-wxss 15283 rapidjson 14951 QMUI_Android 14520 secguide 13532 omi 13252 matrix 11965 VasSonic 11885 wcdb 11633 WeKnora 11147 xLua 9973 libco 8674 Hippy 8523 Shadow 7698 QMUI_iOS 7213 lemon-cleaner 6053 puerts 5862 libpag 5565 MLeaksFinder 5447 kbone 4914 tmagic-editor 4875 wujie 4830 TNN 4606 cherry-markdown 4478 GT 4416 westore 4305 vap 4138 tdesign 3717 phxpaxos 3377 spring-cloud-tencent 3291 weui.js 3192 VasDolly 3157 Tendis 3126 tencent-ml-images 3076 behaviac 3013 FaceDetection-DSFD 2966 PhoenixGo 2921 PocketFlow 2911 AI-Infra-Guard 2753 MSEC 2745 UnLua 2645 MimicMotion 2498 GameAISDK 2492 1 2 3 4 5 › Released by @k0kubun in December 2014. Fork me on GitHub . | 2026-01-13T09:29:34 |
https://www.cgtn.com/ | CGTN | Breaking News, China News, World News and Video Home Language RSS Newsletters Follow us Sign in User Your account Sign out Sign in User Your account Sign out Home China World Politics Business Sci-Tech Health Opinions Video Live Radio TV Choose your language Choose your language Albanian Shqip Arabic العربية Belarusian Беларуская Bengali বাংলা Bulgarian Български Cambodian ខ្មែរ Croatian Hrvatski Czech Český English English Esperanto Esperanto Filipino Filipino French Français German Deutsch Greek Ελληνικά Hausa Hausa Hebrew עברית Hungarian Magyar Hindi हिन्दी Indonesian Bahasa Indonesia Italian Italiano Japanese 日本語 Korean 한국어 Lao ລາວ Malay Bahasa Melayu Mongolian Монгол Myanmar မြန်မာဘာသာ Nepali नेपाली Persian فارسی Polish Polski Portuguese Português Pashto پښتو Romanian Română Russian Русский Serbian Српски Sinhalese සිංහල Spanish Español Swahili Kiswahili Tamil தமிழ் Thai ไทย Turkish Türkçe Ukrainian Українська Urdu اردو Vietnamese Tiếng Việt Home China World World World Asia-Pacific Middle East Europe Americas Africa Politics Business Sci-Tech Health Culture Nature Travel Sports Live Opinions Documentary Global Stringer Creative Lab Art & Design Radio Video Chat Group Follow CGTN on: Albanian Shqip Arabic العربية Belarusian Беларуская Bengali বাংলা Bulgarian Български Cambodian ខ្មែរ Croatian Hrvatski Czech Český English English Esperanto Esperanto Filipino Filipino French Français German Deutsch Greek Ελληνικά Hausa Hausa Hebrew עברית Hungarian Magyar Hindi हिन्दी Indonesian Bahasa Indonesia Italian Italiano Japanese 日本語 Korean 한국어 Lao ລາວ Malay Bahasa Melayu Mongolian Монгол Myanmar မြန်မာဘာသာ Nepali नेपाली Persian فارسی Polish Polski Portuguese Português Pashto پښتو Romanian Română Russian Русский Serbian Српски Sinhalese සිංහල Spanish Español Swahili Kiswahili Tamil தமிழ் Thai ไทย Turkish Türkçe Ukrainian Українська Urdu اردو Vietnamese Tiếng Việt World Asia-Pacific Middle East Europe Americas Africa World Asia-Pacific Middle East Europe Americas Africa Our Privacy Statement & Cookie Policy By continuing to browse our site you agree to our use of cookies, revised Privacy Policy and Terms of Use. You can change your cookie settings through your browser. Privacy Policy Terms of Use I agree FM Wang Yi: China, Africa bolstering strategic trust 'right on time' Politics China, South Africa call for closer South-South cooperation Politics China, EU reach consensus on price undertaking guidance for EV exports Technology China and Europe at a crossroads: Trade, power and the path ahead The Agenda Tens of thousands rally in Iran to show support for government Middle East MOFA: China hopes Iran overcomes difficulties, maintains stability 00:22 'U.S. takeover would end NATO': EU extends security offer to Greenland Europe Greenland says it should be defended by NATO, rejects any US takeover Europe Trump administration probe of Fed's Powell draws pushback Politics U.S. Fed chair Powell under investigation North America BREAKING NEWS Iranian human rights center: Death toll from protests rises to 505 Iranian security forces have dismantled several terrorist teams in the southeastern province of Sistan and Baluchestan. - reports RUSSIA LAUNCHED 293 DRONES, 18 MISSILES AT UKRAINE IN OVERNIGHT ATTACKS ON TUESDAY, UKRAINIAN AIR FORCE SAYS U.S. State Department revokes over 100,000 visas in nearly a year Politics China's J-20, J-16, J-10 fighter jets train in frosty conditions Fatah demands a PA-led Gaza governance committee amid fragile truce Middle East SPECIAL SPECIAL Xu Ying Carney's Beijing visit marks shift in Canada's strategy Kong Qingjiang Inside Jimmy Lai's sentence hearing: What he sowed, he now reaps Radhika Desai Will Carney reset China-Canada relations? BREAKING NEWS Iranian human rights center: Death toll from protests rises to 505 Iranian security forces have dismantled several terrorist teams in the southeastern province of Sistan and Baluchestan. - reports RUSSIA LAUNCHED 293 DRONES, 18 MISSILES AT UKRAINE IN OVERNIGHT ATTACKS ON TUESDAY, UKRAINIAN AIR FORCE SAYS SPECIAL SPECIAL EDITOR'S PICK Stringer Dispatch: Pro-government rallies held in Tehran By Global Stringer World 00:22 CMG on the ground: Calm returns in Iran's capital Tehran after unrest 01:44 Chicago renters face growing affordability pressures By Global Stringer World Cool things we saw at CES North America Why 'useless' things sell: A 'crying pony' and emotional consumption Culture Most read Most share 1 Chinese embassy warns citizens in Japan to stay vigilant Asia Pacific 2 China's first 10,000-tonne bridge rotates to span maglev line Technology 3 China strongly condemns U.S. use of force against Venezuela Politics 1 Inside China's domestic agenda: Key priorities in 2025 China 2 Chinese President Xi Jinping delivers 2026 New Year message China 3 First flyover opens in Tanzania's Zanzibar, built by a Chinese company Culture China SEE MORE Live: World's largest ice-and-snow theme park in China's Harbin 13-Jan-2026 REPLAY Live: Old Beijing winter charm – Shichahai Ice Rink welcomes visitors 13-Jan-2026 REPLAY Live: World's largest ice-and-snow theme park in China's Harbin 12-Jan-2026 REPLAY Watch: Explore Lijiang's vibrant nighttime economy with Naxi culture 01-Jan-2026 REPLAY REPLAY Live: World's largest ice-and-snow theme park in China's Harbin REPLAY Live: Old Beijing winter charm – Shichahai Ice Rink welcomes visitors REPLAY Live: World's largest ice-and-snow theme park in China's Harbin REPLAY Watch: Explore Lijiang's vibrant nighttime economy with Naxi culture Sci-Tech 01:28 Robots compete on the ice: Frozen arena becomes a tech playground Technology CES 2026: Are robot baristas the future of customer service? North America China completes first commercial suborbital capsule recovery By Zhao Chenchen Space Nobel laureates forum underscores significance of fundamental research Technology Expert discusses Africa’s growing push for AI infrastructure Africa 01:28 Robots compete on the ice: Frozen arena becomes a tech playground Technology 09:06 CES 2026: Are robot baristas the future of customer service? North America Nobel laureates forum underscores significance of fundamental research Technology 06:44 Expert discusses Africa’s growing push for AI infrastructure Africa Culture From a stitching mistake to viral hit: Meet the 'Cry-Cry Horse' Culture The Qipao: A Revolution in Style China Business The Takaichi Fallout: The high-risk gamble of "Takaichi-cost" Economy Hong Kong high-speed rail to expand with 16 new mainland destinations China Nature Hawaii's Kilauea volcano puts on spectacular lava display Nature Flood emergency prompts widespread warnings in Australia's Queensland Nature Sports Li Xinpeng wins gold medal in FIS Freeski World Cup at Lake Placid Winter Sports Xabi Alonso parts ways with Real Madrid, Alvaro Arbeloa takes over Football Health 03:36 Unsafe harvests raise food safety fears in Uganda’s markets Africa Somali doctor says studying in China was key to his success Africa Travel 00:46 New giant pandas make public debut in Malaysia Travel Ice sailing regatta boosts winter tourism in Xinjiang Travel Global Stringer 01:24 We Talk: Young Syrian voices call for equality among nations By Global Stringer World 00:24 U.S. attempting to take control of Venezuela 'is in bad taste' By Global Stringer World 01:03 Gaza University lecturer calls for defending international law By Global Stringer World 02:08 ROK vlogger experiences Chinese aesthetics at museums in Suzhou By Global Stringer Asia 02:15 We Talk: Dutch youth calls for empathy in the face of injustice By Global Stringer World 01:24 We Talk: Young Syrian voices call for equality among nations By Global Stringer World 00:24 U.S. attempting to take control of Venezuela 'is in bad taste' By Global Stringer World 02:08 ROK vlogger experiences Chinese aesthetics at museums in Suzhou By Global Stringer Asia 02:15 We Talk: Dutch youth calls for empathy in the face of injustice By Global Stringer World Creative Lab INTELLIGENT STORYTELLING DATA VISUALIZATION INTERACTIVE EXPERIENCE CGTN AI 3D animated short 'The Legend of the Monkey King' coming soon Mulan's heroic journey unveiled through AI 04:15 Side by Side: Foreign volunteers in China's anti-fascist struggle The Numbers of a Decade: A Journey through China's Modernization Unforgotten Front: China in WWII – An interactive walk through history Who Runs China Ask Confucius Facts and figures about Beijing Daxing International Airport Kungfu legend: Experience the Shaolin way of life Video 02:53 Hong Kong NPC deputy gathers grassroots voices before Beijing meetings 00:24 PLA Navy: We have confidence and capability to handle provocations 00:54 Iranian citizens slam the U.S. for stirring unrest in the country 00:28 Federal agents fire tear gas in face-off with Minneapolis crowds 01:50 The Qipao: An Icon of Chinese Elegance China 01:55 Shanghai Qipao Master: Illuminating a Century of Eastern Beauty China 03:07 Cool things we saw at CES 00:40 U.S. Federal Reserve Chair Jerome Powell under investigation 00:50 China to deliver world-leading LNG carrier Tianshan 00:46 Iranian FM alleges U.S., Israel behind violence linked to protests 00:34 2km snow slide draws crowds in northeast China 02:53 Hong Kong NPC deputy gathers grassroots voices before Beijing meetings 00:24 PLA Navy: We have confidence and capability to handle provocations 00:54 Iranian citizens slam the U.S. for stirring unrest in the country 03:07 Cool things we saw at CES 00:40 U.S. Federal Reserve Chair Jerome Powell under investigation 00:50 China to deliver world-leading LNG carrier Tianshan 00:28 Federal agents fire tear gas in face-off with Minneapolis crowds 01:50 The Qipao: An Icon of Chinese Elegance China 01:55 Shanghai Qipao Master: Illuminating a Century of Eastern Beauty China 00:46 Iranian FM alleges U.S., Israel behind violence linked to protests 00:34 2km snow slide draws crowds in northeast China MORE FROM CGTN VIDEO Art & Design The Song Painted – Nature The Song Painted – People Tang Architecture: Building Timeless Glory 00:05 International Day for Biological Diversity Trade turmoil: Tariff storm ahead 00:52 Splendor reborn: when AI meets the millennial peony legend 01:02 Major Snow 00:10 Enter Tang Dynasty royal stage in AR Home China World Politics Business Sci-Tech Health Culture Nature Travel Sports Live Opinions Documentary Global Stringer Creative Lab Art & Design Radio Video Chat Group Specials Transcript Learn Chinese Ask China EXPLORE MORE English Español Français العربية Русский Documentary CCTV+ CHOOSE YOUR LANGUAGE Albanian Shqip Arabic العربية Belarusian Беларуская Bengali বাংলা Bulgarian Български Cambodian ខ្មែរ Croatian Hrvatski Czech Český English English Esperanto Esperanto Filipino Filipino French Français German Deutsch Greek Ελληνικά Hausa Hausa Hebrew עברית Hungarian Magyar Hindi हिन्दी Indonesian Bahasa Indonesia Italian Italiano Japanese 日本語 Korean 한국어 Lao ລາວ Malay Bahasa Melayu Mongolian Монгол Myanmar မြန်မာဘာသာ Nepali नेपाली Persian فارسی Polish Polski Portuguese Português Pashto پښتو Romanian Română Russian Русский Serbian Српски Sinhalese සිංහල Spanish Español Swahili Kiswahili Tamil தமிழ் Thai ไทย Turkish Türkçe Ukrainian Українська Urdu اردو Vietnamese Tiếng Việt FOLLOW CGTN DOWNLOAD OUR APP Terms of use Copyright Privacy policy About us Copyright © 2026 CGTN. 京ICP备20000184号 京公网安备 11010502050052号 互联网新闻信息许可证10120180008 Disinformation report hotline: 010-85061466 | 2026-01-13T09:29:34 |
https://wordpress.com/id/support/github-deployment/ | Menggunakan Deployment GitHub di WordPress.com – Dukungan Produk Fitur Sumber Daya Paket & Harga Masuk Mulai Menu Hosting WordPress WordPress untuk Agensi Menjadi Afiliasi Nama Domain AI Website Builder Website Builder Buat sebuah Blog Buletin Professional Email Jasa Pembuatan Website eCommerce WordPress Studio Enterprise WordPress Ikhtisar Tema WordPress Plugin WordPress Pola WordPress Google Apps Pusat Dukungan Berita WordPress Pembuat Nama Bisnis Pembuat Logo Temukan Pos Baru Tag Populer Pencarian Blog Tutup menu navigasi Mulai Daftar Masuk Tentang Paket & Harga Produk Hosting WordPress WordPress untuk Agensi Menjadi Afiliasi Nama Domain AI Website Builder Website Builder Buat sebuah Blog Buletin Professional Email Jasa Pembuatan Website eCommerce WordPress Studio Enterprise WordPress Fitur Ikhtisar Tema WordPress Plugin WordPress Pola WordPress Google Apps Sumber Daya Pusat Dukungan Berita WordPress Pembuat Nama Bisnis Pembuat Logo Temukan Pos Baru Tag Populer Pencarian Blog Aplikasi Jetpack Baca lebih lanjut Pusat Dukungan Panduan Kursus Forum Kontak Cari Pusat Dukungan / Panduan Pusat Dukungan Panduan Kursus Forum Kontak Panduan / Alat / Menggunakan Deployment GitHub di WordPress.com Menggunakan Deployment GitHub di WordPress.com GitHub Deployments mengintegrasikan repositori GitHub secara langsung dengan situs WordPress.com Anda, sehingga menyediakan alur kerja otomatis yang dikontrol versi untuk menerapkan plugin, tema, atau perubahan situs lengkap. Panduan ini mencakup proses penyiapan dan cara mengelola repositori Anda yang terhubung. Fitur ini tersedia di situs dengan paket WordPress.com Bisnis dan Commerce . Jika Anda menggunakan paket Bisnis, pastikan untuk mengaktifkannya . Untuk situs gratis dan situs dengan paket Personal dan Premium, upgrade paket Anda untuk mengakses fitur ini. Dalam panduan ini Tutorial video Menghubungkan repositori Kelola pengaturan deployment Deployment tingkat lanjut Terapkan kode Anda Mengelola koneksi yang ada Log pemrosesan deployment Memutuskan koneksi repositori Memutuskan koneksi WordPress.com dari GitHub Ada pertanyaan? Tanya Asisten AI kami Kembali ke atas Tutorial video Video ini dalam bahasa Inggris. YouTube memiliki fitur terjemahan otomatis sehingga Anda dapat menontonnya dalam bahasa Anda: Untuk menampilkan subtitel terjemahan otomatis: Putar video. Klik ⚙️ Pengaturan (di kanan bawah video). Pilih Subtitel/CC . Pilih Terjemahkan otomatis . Pilih bahasa yang Anda inginkan. Untuk mendengarkan sulih suara otomatis (eksperimental): Klik ⚙️ Pengaturan . Pilih Trek audio . Pilih bahasa yang ingin Anda dengarkan: ℹ️ Terjemahan dan sulih suara dibuat secara otomatis oleh Google, mungkin tidak sepenuhnya akurat, dan fitur sulih suara otomatis masih dalam tahap uji coba sehingga belum tersedia untuk semua bahasa. Menghubungkan repositori Sebelum dapat menerapkan repositori GitHub ke situs WordPress.com, Anda harus terlebih dahulu menyiapkan koneksi antara keduanya dengan langkah-langkah berikut: Kunjungi halaman Situs Anda: https://wordpress.com/sites/ Klik nama situs Anda untuk melihat ikhtisar situs. Klik pada tab Deployment . Klik tombol “ Hubungkan repositori “. Lalu, jika melihat repositori yang terdaftar, Anda telah menghubungkan akun GitHub Anda. Lanjutkan ke langkah 11. Klik tombol “ Instal aplikasi WordPress.com “. Jendela baru akan terbuka, dan Anda akan diminta untuk login ke akun GitHub jika Anda belum melakukannya. Lalu Anda akan melihat layar ini: Klik tombol “ Otorisasi WordPress.com for Developers “. Pilih organisasi atau akun GitHub tempat repositori Anda berada. Pilih satu repositori atau lebih yang ingin Anda hubungkan: Semua repositori: Memilih opsi ini akan memberikan akses WordPress.com ke semua repositori saat ini dan mendatang yang dimiliki oleh akun GitHub yang dipilih. Ini mencakup repositori publik yang bersifat baca-saja. Hanya pilih repositori: Dengan memilih opsi ini, Anda dapat memilih repositori mana yang dapat diakses WordPress.com di akun GitHub yang dipilih. Setelah Anda memilih opsi, klik tombol Instal . Jendela baru akan ditutup dan Anda akan diarahkan kembali ke WordPress.com. Satu repositori atau lebih yang Anda pilih harus terdaftar bersama akun GitHub yang terkait dengan repositori tersebut: Klik Pilih di samping repositori yang ingin dihubungkan. Saat ini, Anda akan melihat WordPress.com for Developers di bawah Aplikasi GitHub Terotorisasi dan Aplikasi GitHub Terinstal . Kelola pengaturan deployment Setelah memilih repositori, Anda perlu menyesuaikan pengaturan deployment: Cabang deployment: Secara default akan menggunakan cabang repositori default (biasanya utama ) tetapi dapat diubah menjadi cabang yang ingin Anda gunakan. Direktori tujuan: Folder server tempat Anda ingin menerapkan berkas. Untuk plugin, ini berupa /wp-content/plugins/my-plugin-name . Untuk tema, ini berupa /wp-content/themes/my-theme-name . Untuk deployment situs sebagian (yaitu, beberapa plugin atau tema), Anda dapat menggunakan /wp-content . Konten repositori akan digabungkan dengan konten situs WordPress yang sudah ada di direktori yang ditentukan. Deployment otomatis: Terdapat dua cara untuk penerapan ke WordPress.com: Otomatis: Setelah kode tersebut diterapkan, kode akan dikirimkan ke situs WordPress.com Anda. Deployment otomatis direkomendasikan untuk situs staging. Manual: Kode akan diterapkan setelah Anda meminta deployment . Deployment manual direkomendasikan untuk situs produksi. Mode deployment: Terdapat dua tipe deployment: Sederhana: Mode ini akan menyalin semua berkas dari cabang repositori ke situs dan menerapkannya tanpa pasca-pemrosesan. Tingkat Lanjut: Dengan mode ini, Anda dapat menggunakan skrip alur kerja, memungkinkan langkah-langkah pembangunan kustom seperti menginstal dependensi Composer, melakukan pengujian kode pra-deployment, dan mengontrol deployment berkas. Ideal untuk repositori yang membutuhkan perangkat lunak Composer atau Node. Lihat Deployment Tingkat Lanjut di bawah ini untuk informasi selengkapnya . Setelah semua pengaturan dikonfigurasi, klik tombol Hubungkan . Repositori Anda akan ditambahkan: Perhatikan bahwa Anda harus memicu deployment pertama, baik secara otomatis maupun manual . Anda kemudian dapat menghubungkan repositori lain kapan saja dengan mengklik tombol “ Hubungkan repositori “. Deployment tingkat lanjut Dengan Deployment Tingkat Lanjut, Anda dapat menyediakan skrip alur kerja untuk memproses berkas di repositori Anda sebelum deployment. Hal ini membuka banyak kemungkinan, seperti memeriksa kode untuk memastikan kode tersebut memenuhi standar pengodean tim Anda, menjalankan pengujian unit, mengecualikan berkas dari deployment, menginstal dependensi, dan banyak lagi. Untuk memulai, lihat resep alur kerja kami . Untuk menyiapkan Deployment Tingkat Lanjut: Formulir akan muncul tempat Anda bisa mengonfigurasi deployment. Klik nama repositori untuk mengelola koneksi. Di sisi kanan, di bawah “ Pilih mode deployment Anda “, pilih Tingkat Lanjut . Jika repositori sudah berisi berkas alur kerja, Anda dapat memilihnya di sini. Sistem akan memeriksa berkas untuk mengetahui ada tidaknya error. Jika tidak ditemukan error, lanjutkan ke langkah 7. Anda juga dapat memilih opsi “ Buat alur kerja baru ” untuk menambahkan berkas alur kerja yang telah dikonfigurasi sebelumnya. Memilih opsi ini akan menimpa berkas alur kerja wpcom.yml jika sudah ada di repositori Anda. Klik tombol “ Instal alur kerja untuk saya ” untuk menerapkan berkas alur kerja ke repositori. Setelah alur kerja ditambahkan dan diverifikasi, klik Perbarui . Repositori Anda sekarang akan menggunakan deployment tingkat lanjut. Terapkan kode Anda Setelah menghubungkan repositori GitHub Anda ke sebuah situs, langkah selanjutnya adalah menerapkan kode Anda. Ada dua metode deployment yang tersedia: Otomatis dan Manual . Deployment otomatis tidak direkomendasikan untuk situs produksi aktif, karena perubahan kode di repositori akan secara otomatis diterapkan dari GitHub ke situs aktif. Sebaliknya, pertimbangkan untuk menyiapkan deployment otomatis ke situs staging dan menyinkronkannya ke produksi setelah Anda siap. Deployment manual memberikan kontrol lebih saat perubahan kode diluncurkan ke situs aktif, karena Anda perlu memicu setiap deployment secara manual. Kami menyarankan deployment manual jika Anda tidak ingin menggunakan situs staging. Untuk memicu deployment secara manual: Buka halaman Situs Anda: https://wordpress.com/sites/ Klik nama situs Anda untuk melihat ikhtisar situs. Klik pada tab Deployment . Klik menu elipsis (⋮) pada repositori yang ingin Anda terapkan. Pilih “ Picu deployment manual “. Anda akan melihat pemberitahuan banner bertuliskan, “Pengaktifan deployment telah dibuat”, dan status deployment akan berubah menjadi “Diantrekan”. Tunggu sampai deployment selesai (status akan berubah menjadi “Telah Diterapkan”). Klik menu elipsis (⋮) lagi lalu pilih “ Lihat pemrosesan deployment “. Log pemrosesan deployment menampilkan Penulis dan penerapan yang dilakukan. Jika mengeklik entri pemrosesan deployment, Anda dapat melihat informasi selengkapnya. Mengelola koneksi yang ada Untuk mengelola koneksi repositori GitHub Anda yang sudah ada: Buka halaman Situs Anda: https://wordpress.com/sites/ Klik nama situs Anda untuk melihat ikhtisar situs. Klik pada tab Deployment . Anda kemudian akan melihat daftar koneksi. Daftar koneksi ditampilkan jika terdapat setidaknya satu koneksi antara repositori GitHub dan situs Anda. Daftar ini mencakup informasi yang relevan untuk setiap koneksi, seperti nama repositori dan cabang, pelaksanaan terakhir yang diterapkan ke sebuah situs, waktu penerapan, lokasi penempatan kode, waktu pemrosesan deployment, dan statusnya. Ada tindakan tambahan yang perlu dilakukan setelah mengeklik menu elipsis (⋮): Picu deployment manual: Memulai pemrosesan deployment pada tindakan terbaru dari cabang yang telah dikonfigurasi. Lihat pemrosesan deployment: Membuka tampilan log pemrosesan deployment untuk repositori yang terhubung. Konfigurasikan koneksi: Membuka tampilan kelola koneksi untuk repositori. Putuskan koneksi repositori: Menghapus koneksi antara repositori dan situs. Log pemrosesan deployment Log pemrosesan deployment memberikan catatan terperinci langkah demi langkah dari setiap deployment, baik dipicu secara otomatis atau manual. Log ini membantu Anda melacak perubahan, memantau status deployment, dan memecahkan masalah apa pun yang muncul. Dengan akses ke log dari 10 pemrosesan terakhir dalam 30 hari, Anda bisa dengan mudah meninjau kejadian selama setiap deployment dan memastikan semua berjalan lancar. Untuk memeriksa log deployment: Buka halaman Situs Anda: https://wordpress.com/sites/ Klik nama situs Anda untuk melihat ikhtisar situs. Klik pada tab Deployment . Klik menu elipsis (⋮) di sebelah repositori yang lognya ingin Anda lihat. Pilih “ Lihat pemrosesan deployment “. Tampilan daftar Pemrosesan deployment menampilkan tindakan yang diterapkan ke situs, status deployment, tanggal, dan durasi. Klik di mana pun saat pemrosesan untuk memperluas dan melihat informasi lengkap tentang deployment. Log memberikan catatan semua perintah yang dieksekusi, mulai dari mengambil kode dari GitHub hingga menempatkannya di direktori target. Anda dapat memperluas baris log untuk melihat informasi lengkap dengan mengeklik “ tampilkan selengkapnya “. Memutuskan koneksi repositori Saat memutus koneksi repositori GitHub dari situs Anda, perubahan apa pun di masa mendatang pada repositori tidak akan memengaruhi situs Anda. Secara default, berkas yang disebarkan akan tetap berada di situs Anda, tetapi Anda memiliki opsi untuk menghapusnya selama proses pemutusan. Untuk menghapus repositori: Buka halaman Situs Anda: https://wordpress.com/sites/ Klik nama situs Anda untuk melihat ikhtisar situs. Klik pada tab Deployment . Klik menu elipsis (⋮) pada repositori. Pilih “ Putuskan koneksi repositori “. Jendela dialog akan muncul. Klik pengalih untuk menghapus berkas terkait dari situs. Klik “ Putuskan koneksi repositori ” untuk menutup dialog dan memutus koneksi repositori. Perhatikan bahwa WordPress.com for Developers akan tetap muncul di Aplikasi GitHub Terinstal dan Aplikasi GitHub Terotorisasi . Hal ini karena WordPress.com masih memiliki akses ke repositori, tetapi koneksinya telah dihapus. Memutuskan koneksi WordPress.com dari GitHub Anda juga dapat memilih untuk mencabut akses WordPress.com ke akun GitHub. Anda dapat melakukannya kapan saja dengan mengunjungi Pengaturan Aplikasi di GitHub. Untuk mencabut akses aplikasi terotorisasi ke akun GitHub Anda: Buka Aplikasi GitHub Terotorisasi . Klik Cabut di sebelah WordPress.com for Developers . Klik tombol “ Saya mengerti, cabut akses “. Meskipun Anda mencabut akses aplikasi terotorisasi, kode masih dapat diterapkan karena aplikasi WordPress.com for Developers tetap terinstal di akun terpilih. Untuk mencabut akses instalasi WordPress.com dan menonaktifkan kemampuan untuk menerapkan kode ke situs WordPress.com Anda: Buka Aplikasi GitHub Terinstal . Klik Konfigurasikan di sebelah WordPress.com for Developers . Di area Zona bahaya , klik Hapus instalan, lalu klik OK bila diminta. Menghapus WordPress.com dari daftar aplikasi terotorisasi tidak berarti bahwa repositori akan dihapus atau tidak berfungsi; repositori Anda akan tetap ada di GitHub setelah Anda mencabut akses WordPress.com, tetapi WordPress.com tidak akan dapat lagi menerapkan kode. Panduan Terkait Terhubung ke SSH Bacaan 3 mnt Mengaktifkan mode pertahanan Bacaan 1 mnt Akses basis data situs Anda Bacaan 2 mnt Dalam panduan ini Tutorial video Menghubungkan repositori Kelola pengaturan deployment Deployment tingkat lanjut Terapkan kode Anda Mengelola koneksi yang ada Log pemrosesan deployment Memutuskan koneksi repositori Memutuskan koneksi WordPress.com dari GitHub Ada pertanyaan? Tanya Asisten AI kami Kembali ke atas Tidak menemukan apa yang Anda butuhkan? Hubungi kami Dapatkan jawaban dari asisten AI kami, dengan akses ke dukungan ahli manusia 24/7 di paket berbayar. Ajukan pertanyaan di forum kami Telusuri pertanyaan dan dapatkan jawaban dari pengguna berpengalaman lainnya. Copied to clipboard! WordPress.com Produk Hosting WordPress WordPress untuk Agensi Menjadi Afiliasi Nama Domain AI Website Builder Website Builder Buat sebuah Blog Professional Email Jasa Pembuatan Website WordPress Studio Enterprise WordPress Fitur Ikhtisar Tema WordPress Plugin WordPress Pola WordPress Google Apps Sumber Daya Blog WordPress.com Pembuat Nama Bisnis Pembuat Logo WordPress.com Reader Aksesibilitas Hapus Langganan Bantuan Pusat Dukungan Panduan Kursus Forum Kontak Sumber Daya Pengembang Perusahaan Tentang Media Ketentuan Layanan Kebijakan Privasi Jangan Menjual atau Membagikan Informasi Pribadi Saya Pemberitahuan Privasi untuk Pengguna di California Deutsch Español Français Bahasa Indonesia Italiano Nederlands Português do Brasil Svenska Türkçe Русский العربية עִבְרִית 日本語 한국어 简体中文 繁體中文 English Deutsch Español Français Bahasa Indonesia Italiano Nederlands Português do Brasil Svenska Türkçe Русский العربية עִבְרִית 日本語 한국어 简体中文 繁體中文 English Aplikasi Selular Unduh di App Store Dapatkan di Google Play Media Sosial WordPress.com di Facebook WordPress.com di X (Twitter) WordPress.com di Instagram WordPress.com di YouTube Automattic Automattic Bekerja Bersama Kami Memuat Komentar... Tulis Komentar... Surel (Wajib) Nama (Wajib) Situs web Dukungan Daftar Masuk Salin shortlink Laporkan isi ini Kelola langganan | 2026-01-13T09:29:34 |
http://mixter.plus/playlist.php?event=deep_roots | Mixter.plus Playlist 🎶 Upload ☰ Upload Mix Upload Stems Upload Lyrics Libraries ☰ Lyric Library Image Library Tag Library --> Support Us! Past Events Deep Roots Songbirds Circle of Seasons Dreaming Together Soundtracks Season of Stars ✦ FAQ ✦ ToS ✦ :: Contact ✦ Dashboard Artist List Log In airtone --> --> ... ... View the Forum Thread for this event Show: Remixes Stems Samples Pells Sort: Most Recent Alpha (Title) Alpha (Artist) BPM (desc) | 2026-01-13T09:29:34 |
https://www.atlassian.com/software/jira/guides/projects/tutorials | Tutorials on Jira Project Spaces | Atlassian Close View this page in your language ? All languages Choose your language 中文 Deutsch English Español Français Italiano 한국어 Nederlands 日本語 Português Pусский Polski Get it free Features All Features Rovo in Jira Back Solutions Teams Use cases Company size Teams Marketing Engineering Design Operations IT Use cases Getting started Planning Campaign Management Agile Project Management Program Management Company size Enterprise Back Product guide Templates Templates All Templates Software Development Marketing Design Sales Operations Service Management HR Legal IT Operations Finance Jira Service Management templates Back Pricing More + Less - Get it free Back Get it free Getting started Introduction to Jira Jira for Teams 7 Steps to Get Started in Jira Projects Overview Tutorials Resources Boards Overview Tutorials Resources Work items/issues Overview Tutorials Resources Workflows Overview Tutorials Resources Integrations Overview Tutorials Resources Reports and Dashboards Overview Tutorials Resources Insights Overview Tutorials Resources Permissions Overview Tutorials Resources JQL Overview Tutorials Cheat sheet Resources Navigation Overview Tutorials Resources Automation Overview Tutorials Resources Timeline Overview Tutorials Resources Advanced planning Overview Tutorials Resources Jira Mobile Overview Tutorials Resources More about Jira Editions of Jira Hosting options Creating projects in Jira tutorials Create a new project in Jira Select ‘Create project’ from the ‘Projects’ in the top navigation. Please note that you won’t see this option if you don’t have permissions to create projects. Structure a project in Jira There is no one-size fits all approach to structuring a project in Jira. However, it may be helpful to recognize that Jira projects are not intended to be bespoke or unique to a single outcome. Rather, they capture ongoing efforts. With that in mind, here are a few approaches you may want to consider when thinking about how to structure your project in Jira: By team - Team-based projects are another common organizational model. This allows your work to mirror your social organization and is convenient in less cross-functional setups, as it allows for more straight forward project permission management. By business unit - You may want to organize around larger business units such as marketing, IT, etc. Types of work will likely fall into similar patterns, making setting up workflows - and issue types particularly - more convenient. By product - If you're a software development team looking to make heavy use of the Jira release and versioning system, you'll want to give strong consideration to organizing your projects by releasable product or groups of work that share a common release cycle. Even within these categories, you can get as granular or as broad as you want. For example, if you structure by product, you can continue to sub-categorize by specific features. Company Careers Events Blogs Investor Relations Atlassian Foundation Press kit Contact us products Rovo Jira Jira Align Jira Service Management Confluence Loom Trello Bitbucket See all products Resources Technical support Purchasing & licensing Atlassian Community Knowledge base Marketplace My account Create support ticket Learn Partners Training & certification Documentation Developer resources Enterprise services See all resources Copyright © 2025 Atlassian Privacy Policy Terms Impressum Choose language Deutsch English Español Français Italiano 한국어 Nederlands 日本語 Polski Português русский 中文 | 2026-01-13T09:29:34 |
https://reports.jenkins.io/jelly-taglib-ref.html#form.3Afile | Jelly Taglib references – Jenkins Jenkins Taglib Documentation Last Published: 2025-12-08 | Version: 2.528.3 | Homepage / Jelly Taglib references The following Jelly tag libraries are defined in this project. Namespace URI Description /lib/form /lib/form /lib/hudson /lib/hudson /lib/test /lib/test /lib/hudson/project Tag files used in project pages /lib/layout/dropdowns Tag library that defines components for dropdowns /lib/layout/header Tag library that defines components for headers /lib/layout Tag library that defines the basic layouts of Jenkins pages. /lib/hudson/newFromList These tags provide a higher level primitive for building a form page for creating a new item from a list of descriptors.Used in "create new job" page, for an example. /lib/form /lib/form This tag library is also available as an XML Schema Tag Name Description advanced Expandable section that shows "advanced..." button by default. Upon clicking it, a section unfolds, and the HTML rendered by the body of this tag appears. apply "Apply" button that submits the form but without a page transition. See hudson.util.FormApply for the server-side code. When this button is pressed, the FORM element fires the "jenkins:apply" event that allows interested parties to write back whatever states back into the INPUT elements. block Full-width space in the form table that can be filled with arbitrary HTML. booleanRadio Binds a boolean field to two radio buttons that say Yes/No OK/Cancel Top/Bottom. bottomButtonBar Creates a button bar at the bottom of the page for things like "Submit". The actual buttons should be specified as the body of this tag. This area will always be visible at the bottom of the screen. breadcrumb-config-outline Adds one more in-page breadcrumb that jumps to sections in the page. Put this tag right before <l:main-panel> checkbox <input type="checkbox"> tag that takes true/false for @checked, which is more Jelly friendly. class-entry Invisible <f:entry> type for embedding a descriptor's $class field. Most of the time a Descriptor has an unique class name that we can use to instantiate the right Describable class, so we use the '$class' to represent that to clarify the intent. In some other times, such as templates, there are multiple Descriptors with the same Descriptor.clazz but different IDs, and in that case we put 'kind' to indicate that. In this case, to avoid confusing readers we do not put non-unique '$class'. See Descriptor.newInstancesFromHeteroList for how the reader side is handled. combobox Editable drop-down combo box that supports the data binding and AJAX updates. Your descriptor should have the 'doFillXyzItems' method, which returns a ComboBoxModel representation of the items in your combo box, and your instance field should hold the current value. For a read only input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support description Renders a row that shows description text below an input field. descriptorList Generate config pages from a list of Descriptors into a section. descriptorRadioList Generate config pages from a list of Descriptors into a section. dropdownDescriptorSelector Renders a single <select> control for choosing a Describable. Depending on the currently selected value, its config.jelly will be rendered below <select>, allowing the user to configure Describable. dropdownList Foldable block expanded when the corresponding item is selected in the drop-down list. dropdownListBlock Foldable block expanded when the corresponding item is selected in the drop-down list. editableComboBox Editable drop-down combo box. Deprecated as of 1.356. Use f:combobox and databinding instead. editableComboBoxValue Used inside <f:editableComboBox/> to specify one value of a combobox. Normally one would use multiple values. entry An entry of the <f:form>, which is one logical row (that consists of several <TR> tags. One entry normally host one control. enum Binds an enum field to a <select> element. The body of this tag is evaluated for each enum value, which is passed as 'it'. enumSet Binds a set of Enum to a list of checkboxes, each with the label taken from enum Enum.toString() Should be used inside an <f:entry field='...'> element. expandableTextbox A single-line textbox that can be expanded into a multi-line textarea. This control is useful for a field that expects multiple whitespace-separated tokens (such as URLs, glob patterns, etc.) When the user only enters a few tokens, they can keep it as a single line to save space, but to enter a large number of values, this can be turned into textarea for better visibility. If the initial value is already multi-line text, the control starts with textarea. On the server side, your program is responsible for treating ' ', \t, \r, and \n for separators. (StringTokenizer would do this.) file Generates an input field All unknown attributes are passed through to the field. @since 2.385 form Outer-most tag of the entire form taglib, that generates <form> element. helpArea Place holder to lazy-load help text via AJAX. helpLink Outputs a help link for a <f:form> item if help is available or a spacer if none is available. The help link is rendered as a table cell with an (?) icon. If the user clicks it, the content of the HTML fragment at the given URL is rendered in the area designated as <f:helpArea> by the caller, usually in a row beneath the item with help. The alternative spacer is just an empty table cell. This tag was introduced to ensure that the space reserved for help items is consistent over the UI whether or not help exists. @since 1.576 hetero-list Outer most tag for creating a heterogeneous list, where the user can choose arbitrary number of arbitrary items from the given list of descriptors, and configure them independently. The submission can be data-bound into List<T> where T is the common base type for the describable instances. For databinding use, please use <f:repeatableHeteroProperty /> hetero-radio Sibling of hetero-list, which only allows the user to pick one type from the list of descriptors and configure it. invisibleEntry Invisible <f:entry> type. Useful for adding hidden field values. link Generates an anchor element with the ability to send POST requests. @since 1.584 nested number Generates an input field to be used inside <f:entry/> option <option> tag for the <select> element that takes true/false for selected. optionalBlock Foldable block that can be expanded to show more controls by checking the checkbox. optionalProperty Renders inline an optional single-value nested data-bound property of the current instance, by using a <f:optionalBlock> This is useful when your object composes another data-bound object, and when that's optional, where the absence of the value is signified as null (in which case the optionalBlock will be drawn unchecked), and the presence of the value. password Glorified <input type="password"> possibleReadOnlyField prepareDatabinding Modifies the 'attrs.field' of the parent to inherit @field from the enclosing <f:entry> if available. Also computes the @checkUrl attribute. property Renders inline a single-value nested data-bound property of the current instance. This is useful when your object composes another data-bound object as a nested object, yet your UI would still like to render it radio <input type="radio"> tag that takes true/false for @checked, which is more Jelly friendly. Note that Safari doesn't support onchange. Beware that the name attribute should be uniquified among all radio blocks on the page, such as by prefixing it with "G0025." or whatever gensym. For a read only radio input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support radioBlock Radio button with a label that hides additional controls. When checked, those additional controls are displayed. This is useful for presenting mutually exclusive options, where each option comes with a sub-form that provides additional configuration. readOnlyTextbox Generates an input field to be used inside <f:entry/> repeatable Repeatable blocks used to present UI where the user can configure multiple entries of the same kind (see the Java installations configuration in the system config.) This tag works like <j:forEach> and repeatedly evaluate the body so that initially all the items get their own copy. This tag also evaluate the body once more with var=null to create a 'master copy', which is the template entry used when a new copy is inserted. HTML structure This tag mainly produces the nested DIVs with CSS classes as follows: <div class="repeated-container"> // container for the whole thing <div class="repeated-chunk"> ... copy 1 ... <div class="repeated-chunk"> ... copy 2 ... ... The 'repeated-chunk' DIVs will also have additional CSS classes that represent their positions among siblings: first : first chunk among the siblings last : last chunk among the siblings middle: neither first nor last only : it is the only chunk (automatically get first and last at the same time) Usage Note The caller of this tag should define a button to add a new copy and delete the current copy. Such buttons should have 'repeatable-add' CSS class and 'repeatable-delete' CSS class respectively (it can have other CSS classes), so that their event handlers get properly wired up. The positional CSS classes on 'repeated-chunk' DIVs (as explained above) can be used to control the visibility of such buttons. For example, this allows you to hide 'delete' button if there's only one item, or only show 'add' button on the last row. There are a few CSS classes already defined in style.css for this purpose. repeatableDeleteButton Delete button for the <repeatable> tag. repeatableHeteroProperty Data-bound only version of <f:hetero-list> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. repeatableProperty Data-bound only version of <f:repeatable> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. Unless that nested config.jelly already adds a delete button (deprecated), you should normally put the following inside this tag: <f:block> <div align="right"> <f:repeatableDeleteButton /> </div> </f:block> Due to a bug in Stapler data binding the model elements are only set if they consist of one or more values. If all values have been removed in the user interface (i.e. the associated form is empty), then the setter is not invoked anymore. As a workaround, you need to override the corresponding configure method and clear the model property manually before invoking the data binding. See warnings-ng-plugin PR#266. rowSet Adds @nameRef to all table rows inside this tag, so that when the form is submitted, it gets grouped in one JSON object. saveApplyBar Creates the bottom bar for the "Save" and "Apply" buttons. In read only mode (<j:set var="readOnlyMode" value="true"/>) the buttons are not displayed. secretTextarea Enhanced version of <f:textarea/> for editing multi-line secrets. Example usage: <j:jelly xmlns:j="jelly:core" xmlns:f="/lib/form"> <f:entry title="Secret" field="secret"> <f:secretTextarea/> </f:entry> <f:entry title="Secret 2"> <f:secretTextarea field="secret2"/> </f:entry> <f:entry title="Another Secret"> <f:secretTextarea name="foo" value="${it.foo}"/> </f:entry> </j:jelly> section Section header in the form table. select Glorified <select> control that supports the data binding and AJAX updates. Your descriptor should have the 'doFillXyzItems' method, which returns a ListBoxModel representation of the items in your drop-down list box, and your instance field should hold the current value. slave-mode A listbox for choosing the agent's usage. submit Submit button. This should be always used instead of the plain <button> tag. textarea <textarea> tag on steroids. The textarea will be rendered to fit the content. It also gets the resize handle. textbox Generates an input field to be used inside <f:entry/> For a read only input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support toggleSwitch <input type="checkbox"> tag that takes true/false for @checked, which is more Jelly friendly. validateButton See https://www.jenkins.io/doc/developer/forms/jelly-form-controls/ for the reference. withCustomDescriptorByName Execute the body with a temporary currentDescriptorByNameUrl value advanced Expandable section that shows "advanced..." button by default. Upon clicking it, a section unfolds, and the HTML rendered by the body of this tag appears. Attribute Name Type Description title - Caption of the button. By default "Advanced" apply "Apply" button that submits the form but without a page transition. See hudson.util.FormApply for the server-side code. When this button is pressed, the FORM element fires the "jenkins:apply" event that allows interested parties to write back whatever states back into the INPUT elements. Attribute Name Type Description value - The text of the apply button. This tag does not accept any child elements/text. block Full-width space in the form table that can be filled with arbitrary HTML. booleanRadio Binds a boolean field to two radio buttons that say Yes/No OK/Cancel Top/Bottom. Attribute Name Type Description false - Text to be displayed for the 'false' value. Defaults to 'No'. field - Databinding field. true - Text to be displayed for the 'true' value. Defaults to 'Yes'. This tag does not accept any child elements/text. bottomButtonBar Creates a button bar at the bottom of the page for things like "Submit". The actual buttons should be specified as the body of this tag. This area will always be visible at the bottom of the screen. breadcrumb-config-outline Adds one more in-page breadcrumb that jumps to sections in the page. Put this tag right before <l:main-panel> Attribute Name Type Description title - Optional title for this breadcrumb This tag does not accept any child elements/text. checkbox <input type="checkbox"> tag that takes true/false for @checked, which is more Jelly friendly. Attribute Name Type Description checked - class - default - The default value of the checkbox, in case both @checked and @instance are null. If this attribute is unspecified or null, it defaults to unchecked, otherwise checked. description - Optional description for the checkbox field - Used for databinding. TBD. id - json - Normally, the submitted JSON will be boolean indicating whether the checkbox was checked or not. This is sometimes inconvenient if you have a UI that lets user select a subset of a set. If this attribute is present, the submitted JSON will have this as a string value if the checkbox is checked, and none otherwise, making the subset selection easier. name - negative - onclick (deprecated) - Inline JavaScript to execute when the checkbox is clicked. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'class' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. readonly (deprecated) - If set to true, this will take precedence over the onclick attribute and prevent the state of the checkbox from being changed. Note: if you want an actual read only checkbox then add: <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support title - If specified, this human readable text will follow the checkbox, and clicking this text also toggles the checkbox. tooltip - Used as tooltip of the checkbox, and, if a title is specified, of the title value - This tag does not accept any child elements/text. class-entry Invisible <f:entry> type for embedding a descriptor's $class field. Most of the time a Descriptor has an unique class name that we can use to instantiate the right Describable class, so we use the '$class' to represent that to clarify the intent. In some other times, such as templates, there are multiple Descriptors with the same Descriptor.clazz but different IDs, and in that case we put 'kind' to indicate that. In this case, to avoid confusing readers we do not put non-unique '$class'. See Descriptor.newInstancesFromHeteroList for how the reader side is handled. Attribute Name Type Description clazz - The describable class that we are instantiating via structured form submission. descriptor - The descriptor of the describable that we are instantiating via structured form submission. Mutually exclusive with clazz. This tag does not accept any child elements/text. combobox Editable drop-down combo box that supports the data binding and AJAX updates. Your descriptor should have the 'doFillXyzItems' method, which returns a ComboBoxModel representation of the items in your combo box, and your instance field should hold the current value. For a read only input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support Attribute Name Type Description checkMethod String Specify 'get' (must be lowercase) to change the HTTP method used for the AJAX requests to @checkUrl from a POST to a GET. If any other value is specified then requests will use POST. The historical default was GET and 'post' had to be specified to change that, but this was changed in Jenkins 2.285. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS classes that the control gets. default - The default value of the combo box, in case both @value and 'instance field ' are null. field - Used for databinding. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. description Renders a row that shows description text below an input field. descriptorList Generate config pages from a list of Descriptors into a section. Attribute Name Type Description description - Optional attribute to set a description for the section descriptors (required) - hudson.model.Descriptor collection whose configuration page is rendered. field - Either @field or @instances are required (or @field may be inherited from the ancestor <entry> element). If field is specified, instances are assumed to be instance field . When this attribute is specified, JSON structure is properly set up so that the databinding can set the field (or pass this collection as a constructor parameter of the same name. This is more modern way of doing databinding, and thus preferred approach. forceRowSet - If specified, instead of a sequence of <f:optionalBlock>s, draw a sequence of <rowSet>s. icon - Sets the icon on the sidebar item for the section anchor link The icon isn't visible in the section itself instances - Map<Descriptor,Describable> that defines current instances of those descriptors. These are used to fill initial values. Other classes that define the get(Descriptor) method works fine, too, such as DescribableList. targetType - the type for which descriptors will be configured. default to ${it.class} title - Human readable title of the section to be rendered in HTML. descriptorRadioList Generate config pages from a list of Descriptors into a section. Attribute Name Type Description descriptors (required) - hudson.model.Descriptor collection whose configuration page is rendered. instance (required) - The currently configured instance used to fill the initial values of the form. targetType - the type for which descriptors will be configured. default to ${it.class} title (required) - Human readable title of the section to be rendered in HTML. varName (required) - Used as a variable name as well as block name. dropdownDescriptorSelector Renders a single <select> control for choosing a Describable. Depending on the currently selected value, its config.jelly will be rendered below <select>, allowing the user to configure Describable. Attribute Name Type Description capture - Config fragments from descriptors are rendered lazily by default, which means variables seen in the caller aren't visible to them. This attribute allows you to nominate additional variables and their values to be captured for descriptors. default - If specified, this will be chosen as the default value in case the current selection is null. The default can be a specific instance or a descriptor e.g. ${descriptor.defaultSettingsProvider} or ${descriptor.defaultSettingsProvider.descriptor}. In the later case, the from input fields will be empty. descriptors - Collection that lists up all the valid candidate descriptors. If unspecified, inferred from the type of the field. field (required) - Form field name. Used for databinding. title (required) - Human readable title of this control. dropdownList Foldable block expanded when the corresponding item is selected in the drop-down list. Attribute Name Type Description help - Path to the inline help. See <f:entry help="..." /> name (required) - name of the drop-down list. title - Human readable title text of this drop-down listbox. Shown in the same position as <f:entry title="..." /> dropdownListBlock Foldable block expanded when the corresponding item is selected in the drop-down list. Attribute Name Type Description lazy - If specified, the content of the dropdownListBlock will be rendered lazily when it first becomes visible. The attribute value must be the variables to be captured. See the @capture of <renderOnDemand> tag. selected boolean is this value initially selected? staplerClass - provide hint for stapler data binding. typically set to ${descriptor.clazz.name} if dropdownList is for a list of descriptors. title (required) - human readable text displayed for this list item. value (required) - value of the list item. set to <option value="..."> editableComboBox Editable drop-down combo box. Deprecated as of 1.356. Use f:combobox and databinding instead. Attribute Name Type Description clazz - Additional CSS classes that the control gets. field - Used for databinding. items - List of possible values. Either this or nested <f:editableComboBoxValue/>s are required. editableComboBoxValue Used inside <f:editableComboBox/> to specify one value of a combobox. Normally one would use multiple values. Attribute Name Type Description value (required) - This tag does not accept any child elements/text. entry An entry of the <f:form>, which is one logical row (that consists of several <TR> tags. One entry normally host one control. Attribute Name Type Description class - Classes to apply to the form item description - If it's not obvious to the user as to what the control expects, specify some description text (which currently gets rendered as small text under the control, but that may change.) This text shouldn't get too long, and in recent Hudson, this feature is somewhat de-emphasized, in favor of the inline foldable help page specified via @help. This content is HTML (unless the boolean variable escapeEntryTitleAndDescription is set). Use h.escape if necessary. field - Used for the databinding. TBD. When this attribute is specified, @help is inferred, and nested input controls don't need the @field nor @name. help - URL to the HTML page. When this attribute is specified, the entry gets a (?) icon on the right, and if the user clicks it, the contents of the given URL is rendered as a box below the entry. The URL should return an HTML document wrapped in a <div> tag. The URL is interpreted to be rooted at the context path of Hudson, so it's normally something like "/plugin/foobar/help/abc.html". title - Name of the entry. Think of this like a label for the control. This content is HTML (unless the boolean variable escapeEntryTitleAndDescription is set). Use h.escape if necessary. enum Binds an enum field to a <select> element. The body of this tag is evaluated for each enum value, which is passed as 'it'. Attribute Name Type Description default - The name of the enum to set as default value for the first configuration. field - Used for databinding. TBD. enumSet Binds a set of Enum to a list of checkboxes, each with the label taken from enum Enum.toString() Should be used inside an <f:entry field='...'> element. Attribute Name Type Description field - Used for databinding. This tag does not accept any child elements/text. expandableTextbox A single-line textbox that can be expanded into a multi-line textarea. This control is useful for a field that expects multiple whitespace-separated tokens (such as URLs, glob patterns, etc.) When the user only enters a few tokens, they can keep it as a single line to save space, but to enter a large number of values, this can be turned into textarea for better visibility. If the initial value is already multi-line text, the control starts with textarea. On the server side, your program is responsible for treating ' ', \t, \r, and \n for separators. (StringTokenizer would do this.) Attribute Name Type Description field - Used for databinding. TBD. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. file Generates an input field All unknown attributes are passed through to the field. @since 2.385 Attribute Name Type Description accept - Defines the file types the file input should accept. This string is a comma-separated list. clazz - Additional CSS class(es) to add. field - Used for databinding. jsonAware - Enable structured form submission. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. This tag does not accept any child elements/text. form Outer-most tag of the entire form taglib, that generates <form> element. Attribute Name Type Description action (required) - @action of the form field. The URL where the submission is sent. autocomplete - Optional attribute for allowing browsers to perform auto complete or pre-fill the form from history. Default: false class - Classes to apply to the form enctype - @enctype of the <form> HTML element. id - ID of the form. method (required) - Submission method. Either post or get. name (required) - @name of the form. In HTML this is not a mandatory attribute, but in Hudson you should have it for testing and page scraping, so this attribute is marked required. tableClass - Optional class attribute for <table> that is created in the form. target - @target of the <form> HTML element. Works like <a target="..."> and controls which window the result of the submission goes to. helpArea Place holder to lazy-load help text via AJAX. This tag does not accept any child elements/text. helpLink Outputs a help link for a <f:form> item if help is available or a spacer if none is available. The help link is rendered as a table cell with an (?) icon. If the user clicks it, the content of the HTML fragment at the given URL is rendered in the area designated as <f:helpArea> by the caller, usually in a row beneath the item with help. The alternative spacer is just an empty table cell. This tag was introduced to ensure that the space reserved for help items is consistent over the UI whether or not help exists. @since 1.576 Attribute Name Type Description featureName - Name of the feature described by the help text, used for constructing the icon's alt attribute. Optional. url - URL to the HTML page. Optional. If not given, no help icon is displayed. The URL should return a UTF-8 encoded HTML fragment wrapped in a <div> tag. The URL is interpreted to be rooted at the context path of Jenkins, so it's normally something like "/plugin/foobar/help/abc.html". This tag does not accept any child elements/text. hetero-list Outer most tag for creating a heterogeneous list, where the user can choose arbitrary number of arbitrary items from the given list of descriptors, and configure them independently. The submission can be data-bound into List<T> where T is the common base type for the describable instances. For databinding use, please use <f:repeatableHeteroProperty /> Attribute Name Type Description addCaption - caption of the 'add' button. capture - Config fragments from descriptors are rendered lazily by default, which means variables seen in the caller aren't visible to them. This attribute allows you to nominate additional variables and their values to be captured for descriptors. deleteCaption - caption of the 'delete' button. descriptors (required) - all types that the user can add. disableDragAndDrop java.lang.Boolean If true the drag and drop will not be activated. This just removes the drag and drop UI, it will not prevent users from manually submitting a different order. hasHeader - For each item, add a caption from descriptor.getDisplayName(). This also activates drag&drop (where the header is a grip), and help text support. honorOrder - If true, insert new addition by default to their 'desired' location, which is the order induced by the descriptors. items (required) java.util.Collection existing items to be displayed. Something iterable, such as array or collection. menuAlign - Menu alignment against the button. Defaults to tl-bl name (required) - form name that receives an array for all the items in the heterogeneous list. oneEach - If true, only allow up to one instance per descriptor. targetType - the type for which descriptors will be configured. Defaults to ${it.class} (optional) titleClassMethod - If set to an item of the form , it will be used to call to calculate each item title. hetero-radio Sibling of hetero-list, which only allows the user to pick one type from the list of descriptors and configure it. Attribute Name Type Description descriptors (required) - all types that the user can add. field (required) - Field name in the parent object where databinding happens. This tag does not accept any child elements/text. invisibleEntry Invisible <f:entry> type. Useful for adding hidden field values. link Generates an anchor element with the ability to send POST requests. @since 1.584 Attribute Name Type Description clazz - Additional CSS classes. href - Link destination URL. post - If this must send a POST request. nested number Generates an input field to be used inside <f:entry/> Attribute Name Type Description checkMessage - Override the default error message when client-side validation fails, as with clazz="required", etc. checkMethod String Specify 'get' (must be lowercase) to change the HTTP method used for the AJAX requests to @checkUrl from a POST to a GET. If any other value is specified then requests will use POST. The historical default was GET and 'post' had to be specified to change that, but this was changed in Jenkins 2.285. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS class(es) to add (such as client-side validation clazz="required", "number" or "positive-number"; these may be combined, as clazz="required number"). default - The default value of the text box, in case both @value is and 'instance field ' is null. field java.lang.String Used for databinding. TBD. max - The maximum of the @value. This becomes the @max of the <input> tag. This will work only @clazz is 'number', 'number-required', 'non-negative-number-required', 'positive-number', 'positive-number-required'. If specified, the @value should be less than this value, or errors will be rendered under the text field. If this value contains non-digit characters, it will not work. If @min is specified and @min is greater than this value, both @min and @max will not work. min - The minimum of the @value. This becomes the @min of the <input> tag. This will work only @clazz is 'number', 'number-required', 'non-negative-number-required', 'positive-number', 'positive-number-required'. If specified, the @value should be greater than this value, or errors will be rendered under the text field. If this value contains non-digit characters, it will not work. If @max is specified and @max is less than this value, both @min and @max will not work. name java.lang.String This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. option <option> tag for the <select> element that takes true/false for selected. Attribute Name Type Description selected boolean If true, the option value appears as selected. value - The value to be sent when the form is submitted. If omitted, the body of the tag will be placed in the value attribute as well (due to the browser incompatibility between IE and Firefox, value attribute must be included). optionalBlock Foldable block that can be expanded to show more controls by checking the checkbox. Attribute Name Type Description checked - initial checkbox status. true/false. field - Used for databinding. TBD. Either this or @name/@title combo is required. help - If present, the (?) icon will be rendered on the right to show inline help. See @help for <f:entry>. inline - if present, the foldable section will not be grouped into a separate JSON object upon submission name - Name of the checkbox. Can be used by the server to determine if the block is collapsed or expanded at the time of submission. Note that when the block is collapsed, none of its child controls will send the values to the server (unlike <f:advanced>) negative - if present, the foldable section expands when the checkbox is unchecked. title - Human readable text that follows the checkbox. If this field is null, the checkbox degrades to a <f:rowSet>, which provides a grouping at JSON level but on the UI there's no checkbox (and you always see the body of it.) optionalProperty Renders inline an optional single-value nested data-bound property of the current instance, by using a <f:optionalBlock> This is useful when your object composes another data-bound object, and when that's optional, where the absence of the value is signified as null (in which case the optionalBlock will be drawn unchecked), and the presence of the value. Attribute Name Type Description field (required) - help - title (required) - This tag does not accept any child elements/text. password Glorified <input type="password"> Attribute Name Type Description checkMessage - Override the default error message when client-side validation fails, as with clazz="required", etc. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS class(es) to add (such as client-side validation clazz="required", "number" or "positive-number"; these may be combined, as clazz="required number"). field - Used for databinding. TBD. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. possibleReadOnlyField prepareDatabinding Modifies the 'attrs.field' of the parent to inherit @field from the enclosing <f:entry> if available. Also computes the @checkUrl attribute. This tag does not accept any child elements/text. property Renders inline a single-value nested data-bound property of the current instance. This is useful when your object composes another data-bound object as a nested object, yet your UI would still like to render it Attribute Name Type Description field (required) - propertyDescriptor - If specified, bypass the item descriptor inference and use this instead. This tag does not accept any child elements/text. radio <input type="radio"> tag that takes true/false for @checked, which is more Jelly friendly. Note that Safari doesn't support onchange. Beware that the name attribute should be uniquified among all radio blocks on the page, such as by prefixing it with "G0025." or whatever gensym. For a read only radio input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support Attribute Name Type Description checked - id - name - onclick (deprecated) - Inline JavaScript to execute when the checkbox is clicked. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'class' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. title - If specified, this human readable text will follow the radio, and clicking this text also toggles the radio. value - radioBlock Radio button with a label that hides additional controls. When checked, those additional controls are displayed. This is useful for presenting mutually exclusive options, where each option comes with a sub-form that provides additional configuration. Attribute Name Type Description checked (required) boolean Should this control be initially checked or not? help - If specified, the (?) help icon will be rendered on the right, for in place help text. See <f:entry> for the details. inline - if present, the folded section will not be grouped into a separate JSON object upon submission. name (required) - Name of the radio button group. Radio buttons that are mutually exclusive need to have the same name. title (required) - Human readable label text to be rendered next to the radio button. value (required) - @value of the <input> element. readOnlyTextbox Generates an input field to be used inside <f:entry/> Attribute Name Type Description checkMessage - Override the default error message when client-side validation fails, as with clazz="required", etc. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS class(es) to add (such as client-side validation clazz="required", "number" or "positive-number"; these may be combined, as clazz="required number"). default - The default value of the text box, in case both @value is and 'instance field ' is null. field - Used for databinding. TBD. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. onchange (deprecated) - Inline JavaScript to execute when the textbox is changed. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'clazz' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. onkeyup (deprecated) - Inline JavaScript to execute when the keyup event is fired. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'clazz' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. repeatable Repeatable blocks used to present UI where the user can configure multiple entries of the same kind (see the Java installations configuration in the system config.) This tag works like <j:forEach> and repeatedly evaluate the body so that initially all the items get their own copy. This tag also evaluate the body once more with var=null to create a 'master copy', which is the template entry used when a new copy is inserted. HTML structure This tag mainly produces the nested DIVs with CSS classes as follows: <div class="repeated-container"> // container for the whole thing <div class="repeated-chunk"> ... copy 1 ... <div class="repeated-chunk"> ... copy 2 ... ... The 'repeated-chunk' DIVs will also have additional CSS classes that represent their positions among siblings: first : first chunk among the siblings last : last chunk among the siblings middle: neither first nor last only : it is the only chunk (automatically get first and last at the same time) Usage Note The caller of this tag should define a button to add a new copy and delete the current copy. Such buttons should have 'repeatable-add' CSS class and 'repeatable-delete' CSS class respectively (it can have other CSS classes), so that their event handlers get properly wired up. The positional CSS classes on 'repeated-chunk' DIVs (as explained above) can be used to control the visibility of such buttons. For example, this allows you to hide 'delete' button if there's only one item, or only show 'add' button on the last row. There are a few CSS classes already defined in style.css for this purpose. Attribute Name Type Description add - If specified, this text will replace the standard "Add" text. default - Use this collection for items if items or @field is null enableTopButton - true if a new Add button, for adding new copy of repeatable item, should be displayed above repeatable form. Display of top button depends also on number of items. If there is no item, only one button is displayed. When at least one item is present, there are two buttons displayed (only when enableTopButton is true). One above and one below. Top button adds item on top of repeatable form. Bottom button adds item on the bottom of repeatable form. field - Used for the data binding. header - For each item, add this header. This also activates drag&drop (where the header is a grip). items - The item collection to loop over. Required unless @field is given. minimum - At least provide this number of copies initially. minimum="1" is useful to make sure there's always at least one entry for the user to fill in. name - name used in the structured form submission. Defaults to the same name as @var. noAddButton - true if the default 'add' button (that adds a new copy) shouldn't be displayed. When you use this attribute, var - variable that receives the item of the current iteration. Accessible from the body. Required unless @field is given. varStatus - Status variable that indicates the loop status. repeatableDeleteButton Delete button for the <repeatable> tag. Attribute Name Type Description value - Caption of the button. Defaults to 'Delete'. This tag does not accept any child elements/text. repeatableHeteroProperty Data-bound only version of <f:hetero-list> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. Attribute Name Type Description addCaption - caption of the 'add' button. capture - Config fragments from descriptors are rendered lazily by default, which means variables seen in the caller aren't visible to them. This attribute allows you to nominate additional variables and their values to be captured for descriptors. deleteCaption - caption of the 'delete' button. field - Used for the data binding. hasHeader - For each item, add a caption from descriptor.getDisplayName(). This also activates drag&drop (where the header is a grip), and help text support. honorOrder - If true, insert new addition by default to their 'desired' location, which is the order induced by the descriptors. menuAlign - Menu alignment against the button. Defaults to tl-bl oneEach - If true, only allow up to one instance per descriptor. targetType - the type for which descriptors will be configured. Defaults to ${it.class} (optional) This tag does not accept any child elements/text. repeatableProperty Data-bound only version of <f:repeatable> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. Unless that nested config.jelly already adds a delete button (deprecated), you should normally put the following inside this tag: <f:block> <div align="right"> <f:repeatableDeleteButton /> </div> </f:block> Due to a bug in Stapler data binding the model elements are only set if they consist of one or more values. If all values have been removed in the user interface (i.e. the associated form is empty), then the setter is not invoked anymore. As a workaround, you need to override the corresponding configure method and clear the model property manually before invoking the data binding. See warnings-ng-plugin PR#266. Attribute Name Type Description add - If specified, this text will replace the standard "Add" text. default - The default value to use for this collection when 'instance field ' is null. enableTopButton - true if a new Add button, for adding new copy of repeatable item, should be displayed above repeatable form. Display of top button depends also on number of items. If there is no item, only one button is displayed. When at least one item is present, there are two buttons displayed (only when enableTopButton is true). One above and one below. Top button adds item on top of repeatable form. Bottom button adds item on the bottom of repeatable form. field - Used for the data binding. header - For each item, add this header. This also activates drag&drop (where the header is a grip). minimum - At least provide this number of copies initially. minimum="1" is useful to make sure there's always at least one entry for the user to fill in. noAddButton - true if the default 'add' button (that adds a new copy) shouldn't be displayed. When you use this attribute, rowSet Adds @nameRef to all table rows inside this tag, so that when the form is submitted, it gets grouped in one JSON object. Attribute Name Type Description name - if the group head is not available outside, use this attribute to specify the name. @name and @ref are mutually exclusive. ref - id of the thing that serves as the group head, if that's available separately saveApplyBar Creates the bottom bar for the "Save" and "Apply" buttons. In read only mode (<j:set var="readOnlyMode" value="true"/>) the buttons are not displayed. This tag does not accept any child elements/text. secretTextarea Enhanced version of <f:textarea/> for editing multi-line secrets. Example usage: <j:jelly xmlns:j="jelly:core" xmlns:f="/lib/form"> <f:entry title="Secret" field="secret"> <f:secretTextarea/> </f:entry> <f:entry title="Secret 2"> <f:secretTextarea field="secret2"/> </f:entry> <f:entry title="Another Secret"> <f:secretTextarea name="foo" value="${it.foo}"/> </f:entry> </j:jelly> Attribute Name Type Description checkMethod String Specify 'get' (must be lowercase) to change the HTTP method used for the AJAX requests to @checkUrl from a POST to a GET. If any other value is specified then requests will use POST. The historical default was GET and 'post' had to be specified to change that, but this was changed in Jenkins 2.285. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the r | 2026-01-13T09:29:34 |
https://cloudflare.com/en-gb/zero-trust/solutions/multi-channel-phishing/ | Multi-channel phishing | Zero Trust | Cloudflare Sign up Languages English English (United Kingdom) Deutsch Español (Latinoamérica) Español (España) Français Italiano 日本語 한국어 Polski Português (Brasil) Русский 繁體中文 简体中文 Platform Connectivity cloud Cloudflare’s connectivity cloud delivers 60+ networking, security, and performance services. Enterprise For large and medium organizations Small business For small organizations Partner Become a Cloudflare partner use cases Modernize applications Accelerate performance Ensure app availability Optimize web experience Modernize security VPN replacement Phishing protection Secure web apps and APIs Modernize networks Coffee shop networking WAN modernization Simplify your corporate network CxO topics Adopt AI Bring AI into workforces and digital experiences AI security Secure agentic AI and GenAI applications Data compliance Streamline compliance and minimize risk Post-quantum cryptography Safeguard data and meet compliance standards Industries Healthcare Banking Retail Gaming Public sector Resources Product guides Reference architectures Analyst reports Engage Events Demos Webinars Workshops Request a demo Products products Workspace security Zero trust network access Secure web gateway Email security Cloud access security broker Application security L7 DDoS protection Web application firewall API security Bot management Application performance CDN DNS Smart routing Load balancing Networking and SASE L3/4 DDoS protection NaaS / SD-WAN Firewall-as-a-service Network Interconnect plans & pricing Enterprise plans Small business plans Individual plans Compare plans Global services Support and success bundles Optimized Cloudflare experience Professional services Expert-led implementation Technical account management Focused technical management Security operations service Cloudflare monitoring and response Domain registration Buy and manage domains 1.1.1.1 Free DNS resolver Resources Product guides Reference architectures Analyst reports Product demos and tours Help me choose Developers documentation Developer library Documentation and guides Application demos Explore what you can build Tutorials Step-by-step build tutorials Reference architecture Diagrams and design patterns Products Artificial Intelligence AI Gateway Observe, control AI apps Workers AI Run ML models on our network Compute Observability Logs, metrics, and traces Workers Build, deploy serverless apps Media Images Transform, optimize images Realtime Build real-time audio/video apps Storage & database D1 Create serverless SQL databases R2 Store data without costly egress fees Plans & Pricing Workers Build and deploy serverless apps Workers KV Serverless key-value store for apps R2 Store data without costly egrees fees Explore projects Customer stories AI Demo in 30 seconds Quick guide to get started Explore Workers Playground Build, test, and deploy Developers Discord Join the community Start building Partners Partner Network Grow, innovate and meet customer needs with Cloudflare Partner Portal Find resources and register deals Partnership Types PowerUP Program Grow your business while keeping your customers connected and secure Technology Partners Explore our ecosystem of technology partners and integrators Global System Integrators Support seamless large-scale digital transformation Service Providers Discover our network of valued service providers Self-serve agency program Manage Self-Serve Accounts for your clients Peer-to-peer portal Traffic insights for your network Find a partner PowerUP your business - connect with Cloudflare Powered+ partners. Resources Engage Demos + product tours On-demand product demos Case studies Driving success with Cloudflare Webinars Insightful discussions Workshops Virtual forums Library Helpful guides, roadmaps, and more Reports Insights from Cloudflare’s research Blog Technical deep dives and product news Learning center Educational tools and how-to content Build Reference architecture Technical guides Solution + product guides Product documentation Documentation Developer documentation Explore theNET Executive insights for the digital enterprise Cloudflare TV Innovative series and events Cloudforce One Threat research and operations Radar Internet traffic and security trends Analyst reports Industry research reports Events Upcoming regional events Trust, privacy, and compliance Compliance information and policies Support Contact us Community forum Lost account access? Developers Discord Get help Company Company info Leadership Meet our leaders Investor relations Investor information Press Explore recent news Careers Explore open roles Trust, Privacy, & Safety Privacy Policy, data, and protection Trust Policy, process, and safety Compliance Certification and regulation Transparency Policy and disclosures Public Interest Humanitarian Project Galileo Government Athenian Project Elections Cloudflare For Campaigns Health Project Fair Shot Global network Global locations and status Log in Contact sales Cloudy LLM summarizations of email detections | Read blog > SASE & workspace security Overview Solutions Products Resources Pricing Protect against multi-channel phishing with Cloudflare Implement layered protection that extends beyond your inbox Cloudflare’s connectivity cloud offers an automated, multi-layered approach to stop phishing threats across email, SMS, social media, instant messaging, and other collaboration apps. Contact us THE CLOUDFLARE DIFFERENCE Low-touch, high-efficacy protection Minimize phishing risk with industry-leading detection capabilities that require minimal tuning. Greater consolidation, lower cost Reduce spend with a single, fully integrated platform that addresses all phishing use cases. Fast to deploy, easy to manage Gain immediate protection while reducing the time and effort required for ongoing management. HOW IT WORKS Implement complete multi-channel protection with a single platform Use Cloudflare’s unified security platform to first protect email, then enable additional Zero Trust services to extend phishing protection across all channels. Read the solution brief Deploy and scale with ease Rapidly layer on email security to protect the most critical channel and then easily enable multi-channel capabilities at your own pace. Stop email threats Automatically block business email compromise (BEC) attacks, malicious attachments, and other email-based threats using ML-powered contextual analysis. Prevent breaches from credential theft Implement conditional access and phishing-resistant FIDO2 security keys that act as a last line of defense if credentials are stolen or compromised. Block deceptive link-based attacks Insulate users from targeted attacks that use various collaboration apps to bait users into clicking on cleverly obfuscated links. Werner Enterprises curbs phishing and consolidates security with Cloudflare One of the largest truckload cargo carriers in the United States, Werner Enterprises is at the center of a connected alliance of world-class supply-chain solutions. The company needed to step up phishing protection for its large, dispersed workforce as attacks increased in frequency and sophistication. Werner adopted Cloudflare Email Security to protect Microsoft 365 inboxes, improve protection for mobile and roaming users, and take a more proactive approach to stopping phishing. The company reduced malicious emails while reducing management complexity. “Since we implemented, we have seen a 50% reduction in the number of malicious or suspicious emails our users receive every day.” Ready to stop phishing across multiple channels? Contact us Analyst recognition Cloudflare scored among the top 3 in the ‘Current Offering’ category in this Email Security analyst report Cloudflare is a Strong Performer in The Forrester Wave™: Email, Messaging, And Collaboration Security Solutions, Q2 2025. We received the highest possible scores, 5.0/5.0 in 9 criteria, including antimalware and sandboxing, malicious URL detection and web security, threat intelligence, and content analysis and processing. According to the report, "Cloudflare is a solid choice for organizations looking to augment current email, messaging, and collaboration security tooling with deep content analysis and processing and malware detection capabilities. Read report WHY CLOUDFLARE Cloudflare’s connectivity cloud simplifies multi-channel phishing protection Cloudflare’s unified platform of cloud-native security and connectivity services addresses phishing across email, instant messaging, SMS, social, and other collaboration apps. Composable architecture Address a full range of security requirements by capitalizing on extensive interoperability and customization. Performance Protect and empower employees everywhere with a global network that is approximately 50ms from 95% of Internet users. Threat intelligence Prevent a full range of cyber attacks with intelligence gleaned from proxying ~20% of the web and blocking billions of threats daily. Unified interface Consolidate your tools and workflows. Resources Slide 1 of 6 Solution brief Learn how Cloudflare delivers complete phishing protection across employees and applications with email security plus Zero Trust services. Get the solution brief Insight Discover how to preemptively protect users from phishing, BEC attacks, and link-based attacks with Cloudflare Email Security. Visit the webpage Insight Identify the phishing attacks that are evading your current email defenses — at no cost and with no impact to your users. Request a free assessment Solution brief Read how Cloudflare can reduce link-based phishing risks by applying browser isolation protections and controls. Download the brief Case study Learn how Cloudflare thwarted a sophisticated text-based phishing attack with multi-factor authentication (MFA) that uses hard keys. Read the case study Report Explore key attack patterns based on approximately 13 billion emails processed by Cloudflare over a one-year period. Get the report Solution brief Learn how Cloudflare delivers complete phishing protection across employees and applications with email security plus Zero Trust services. Get the solution brief Insight Discover how to preemptively protect users from phishing, BEC attacks, and link-based attacks with Cloudflare Email Security. Visit the webpage Insight Identify the phishing attacks that are evading your current email defenses — at no cost and with no impact to your users. Request a free assessment Solution brief Read how Cloudflare can reduce link-based phishing risks by applying browser isolation protections and controls. Download the brief Case study Learn how Cloudflare thwarted a sophisticated text-based phishing attack with multi-factor authentication (MFA) that uses hard keys. Read the case study Report Explore key attack patterns based on approximately 13 billion emails processed by Cloudflare over a one-year period. Get the report Solution brief Learn how Cloudflare delivers complete phishing protection across employees and applications with email security plus Zero Trust services. Get the solution brief Insight Discover how to preemptively protect users from phishing, BEC attacks, and link-based attacks with Cloudflare Email Security. Visit the webpage Insight Identify the phishing attacks that are evading your current email defenses — at no cost and with no impact to your users. Request a free assessment Solution brief Read how Cloudflare can reduce link-based phishing risks by applying browser isolation protections and controls. Download the brief Case study Learn how Cloudflare thwarted a sophisticated text-based phishing attack with multi-factor authentication (MFA) that uses hard keys. Read the case study Report Explore key attack patterns based on approximately 13 billion emails processed by Cloudflare over a one-year period. Get the report GETTING STARTED Free plans Small business plans For enterprises Get a recommendation Request a demo Contact sales SOLUTIONS Connectivity cloud Application services SASE and workspace security Network services Developer platform SUPPORT Help center Customer support Community forum Developers Discord Lost account access? Cloudflare status COMPLIANCE Compliance resources Trust GDPR Responsible AI Transparency report Report abuse PUBLIC INTEREST Project Galileo Athenian Project Cloudflare for Campaigns Project Fairshot COMPANY About Cloudflare Network map Our team Logos & press kit Diversity, equity, & inclusion Impact/ESG © 2026 Cloudflare, Inc. Privacy Policy Terms of Use Report Security Issues Cookie Preferences Trademark | 2026-01-13T09:29:34 |
https://giga.global/resources/ | Resources on School Connectivity | Giga What We Do How We Work Mapping Modeling Finance Contracting Capacity Development Our Solutions Where We Work Who We Are Our Story Our Collaboration Our Centres Get Involved Governments Partnerships Events and Trainings Resources Newsroom Impact Press Media Kit Multimedia Digital Repository Contact Us Giga Maps Resources Home Resources Home Resources Resources An easy-access overview of Giga’s work to advance your school connectivity journey, from open-source tech solutions to best practices in financing and policy. Newsroom Read the latest updates from Giga. Discover stories from the field, tech insights, and global news on efforts to connect every school to the internet. View Newsroom Impact Inspiring stories from children in countries supported by Giga across the world. View Impact PRESS A compilation of global media coverage of Giga’s work. View Press MEDIA KIT Access Giga’s official media kit: press releases, logos, photos, and resources for journalists covering school connectivity. View Media Kit M ULTIMEDIA Explore our multimedia hub, featuring photos and videos that bring school connectivity stories to life. View Multimedia Digital Repository Access reports, tools, guides, and open data in the Giga Digital Repository. View Digital Repository Let’s build a connected future together Get involved Stay connected with Giga Join the Newsletter Follow us on Home FAQ Jobs Contact us Terms of Use Privacy Notice © Copyright 2025 Giga | 2026-01-13T09:29:34 |
https://www.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT2sNMHYzitoPSEfJsXkqvloqRUxIJIopp28rQfaItrhz2aN24BUXCxLByo7RN0rtEGnzmfDjJvzUhkboKt6Otzh5ksbYAnTsKOxnBOv_JCKZKKQjl3T5Sp4HoTs5V-POj4uS0aXV3zLAErg | Facebook Facebook 이메일 또는 휴대폰 비밀번호 계정을 잊으셨나요? 새 계정 만들기 일시적으로 차단됨 일시적으로 차단됨 회원님의 이 기능 사용 속도가 너무 빠른 것 같습니다. 이 기능 사용에서 일시적으로 차단되었습니다. Back 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026 | 2026-01-13T09:29:34 |
https://support.microsoft.com/bg-bg/whats-new | Какво е новото Преминаване към основното съдържание Microsoft Поддръжка Поддръжка Поддръжка Начало Microsoft 365 Office Продукти Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows още... Устройства Surface Аксесоари за компютър Xbox Играене на компютър HoloLens Surface Hub Гаранция за хардуер Фактуриране на акаунт & Акаунт Microsoft Store и фактуриране Ресурси Какво е новото Форуми на общността Администратори на Microsoft 365 Портал за малки фирми Разработчик Образование Докладване на измама с поддръжката Безопасност на продукта Още Закупуване на Microsoft 365 Всичко на Microsoft Global Microsoft 365 Teams Copilot Windows Surface Xbox Поддръжка Софтуер Софтуер Приложения за Windows AI OneDrive Outlook OneNote Microsoft Teams компютри и устройства компютри и устройства Компютърни аксесоари Развлечения Развлечения Компютърни игри Бизнес Бизнес Microsoft Security Azure Dynamics 365 Microsoft 365 за бизнеса Microsoft Industry Microsoft Power Platform Windows 365 Разработчици и ИТ Разработчици и ИТ Разработчик на Microsoft Microsoft Learn Поддръжка за marketplace AI приложения Техническа общност на Microsoft Microsoft Marketplace Visual Studio Marketplace Rewards Други Други Безплатни изтегляния и защита Образование Преглед на картата на сайта Търсене Търсене на помощ Няма резултати Отказ Влизане Влизане с Microsoft Влезте или създайте акаунт. Здравейте, Изберете друг акаунт. Имате няколко акаунта Изберете акаунта, с който искате да влезете. Какво е новото Windows Microsoft 365 Microsoft Edge Outlook OneDrive Word Excel PowerPoint OneNote Microsoft Teams Вижте още приложения Отдалечени работници Архивирайте вашия ключ за възстановяване на BitLocker Трансформиране на вашия Word документ в презентация на PowerPoint Създайте екип за конкретен сценарий с шаблони на Team Какво представлява Bookings? Учащи Справете се блестящо със своите училищни проекти Пишете като професионалист в уеб с разширението „Редактор“ Използвайте Designer за проверка на формата и стила Влизане без парола Преподаватели Провеждане на малки групови дискусии в стаи за почивка Репетирайте презентацията си с треньора за презентации Сканирайте и записвайте документи Научете как да отстранявате грешки при съавторство Семейства Задаване на ограничения за време пред екрана на устройствата на децата ви Домашни дейности за отдалечени учащи Запазване на вашите най-поверителни документи защитени Дистанционно обучение с Microsoft 365: Указания за родители и настойници Microsoft 365 Copilot: вашият ежедневен помощник за ИИ Microsoft 365 Copilot работи заедно с вас, за да ви помогне да изпълнявате задачите по-бързо. Разгледайте какво е възможно Създавайте зашеметяващи социални публикации и графики с Microsoft Designer Позволете на творчеството си да блести с нашето ново приложение за графичен дизайн, поддържано от ИИ. Просто въведете идеите си, за да получите единствени по рода си дизайни и полезни предложения, които да отговарят на вашите нужди. Хайде да започваме Запознайте се Windows 1, сезон 3 Когато има много за вършене, Windows 11 ви помага да го свършите. Научете повече за новите функции и инструменти в най-новите видеоклипове. Гледайте видео серията Малка фирма ли сте? Посетете страницата за помощ и обучение за малки фирми, за да научите как можете да използвате Microsoft 365 във вашата малка фирма. Посетете центъра за малък бизнес сега Устройства Surface с Windows 11 Запознайте се с нашите устройства Surface, които акцентират върху най-доброто от Windows 11 и се адаптират към вас и това, което правите. Функции на Surface Laptop Studio 2 Функции на Surface Laptop Go 3 Office сега е Microsoft 365 Домът за любимите ви инструменти и съдържание. Сега с нови начини да ви помогнем да намирате, създавате и споделяте своето съдържание. Всичко това на едно място. Подробности Направете ежедневната работа по-лесна с Windows 11 Когато има много за вършене, Windows 11 ви помага да го свършите. Подробности Гледайте видеоклипове за запознаване с Windows 11 Добре дошли във всички неща на Windows Какво е новото Copilot за организации Copilot за лична употреба Microsoft 365 Приложения за Windows 11 Microsoft Store Профил на акаунт Център за изтегляния Връщания Проследяване на поръчка Рециклиране Commercial Warranties Образование Microsoft Education Устройства за образование Microsoft Teams за образование Microsoft 365 Education Office Education Обучение и развитие на преподаватели Оферти за учащи и родители Azure за учащи Бизнес Microsoft Security Azure Dynamics 365 Microsoft 365 Реклами на Microsoft Microsoft 365 Copilot Microsoft Teams Разработчици и ИТ Разработчик на Microsoft Microsoft Learn Поддръжка за marketplace AI приложения Техническа общност на Microsoft Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Компания Кариери Поверителност в Microsoft Инвеститори устойчивост Български (България) Вашите избори за поверителност Икона за отписване Вашите избори за поверителност Вашите избори за поверителност Икона за отписване Вашите избори за поверителност Поверителност на здравето на потребителите Връзка с Microsoft Поверителност Управление на бисквитките Условия за използване Търговски марки За нашите реклами EU Compliance DoCs © Microsoft 2026 | 2026-01-13T09:29:34 |
https://cloudflare.com/it-it/ai-solution/ | Soluzioni di intelligenza artificiale (IA) | Cloudflare Registrati Lingue English English (United Kingdom) Deutsch Español (Latinoamérica) Español (España) Français Italiano 日本語 한국어 Polski Português (Brasil) Русский 繁體中文 简体中文 Piattaforma Connettività cloud La connettività cloud di Cloudflare offre oltre 60 servizi di rete, sicurezza e prestazioni. Enterprise Per organizzazioni di grandi e medie dimensioni Piccola impresa Per le piccole organizzazioni Partner Diventa un partner Cloudflare Casi d'uso Modernizza le applicazioni Accelera le prestazioni Assicura la disponibilità delle app Ottimizza l'esperienza Web Modernizza la sicurezza Sostituisci la VPN Proteggiti dal phishing Proteggi le app Web e le API Modernizza le reti Rete di caffetterie Modernizza la WAN Semplifica la tua rete aziendale Argomenti CXO Adotta l'IA Integra l'IA negli ambienti di lavoro e nelle esperienze digitali Sicurezza dell'IA Applicazioni sicure di IA agentica e IA generativa Conformità dei dati Semplifica la conformità e riduci al minimo i rischi Crittografia post-quantistica Proteggi i dati e rispetta gli standard di conformità Settori Sanità Settore bancario Vendita al dettaglio Gaming Settore pubblico Risorse Guide sul prodotto Architetture di riferimento Report di analisi Impegno Eventi Demo Webinar Workshop Richiedi una demo Prodotti Prodotti Sicurezza dell&#039;ambiente di lavoro Zero Trust Network Access Secure Web Gateway Sicurezza delle e-mail Cloud Access Security Broker (CASB) Sicurezza delle applicazioni Protezione da attacchi DDoS L7 Web Application Firewall Sicurezza delle API Gestione dei bot Prestazioni delle applicazioni CDN DNS Smart Routing Load balancing Rete e SASE Protezione da attacchi DDoS L3/4 NaaS / SD- WAN Firewall-as-a-Service Interconnessione di rete Piani e prezzi Piani Enterprise Piani per piccole imprese Piani individuali Confronta i piani Servizi globali Pacchetti di supporto e successo Esperienza Cloudflare ottimizzata Servizi professionali Implementazione guidata da esperti Gestione tecnica dell'account Gestione tecnica mirata Assistenza per le operazioni di sicurezza Monitoraggio e risposta di Cloudflare Registrazione dominio Acquista e gestisci domini 1.1.1.1 Resolver DNS gratuito Risorse Guide sul prodotto Architetture di riferimento Report di analisi Demo e tour dei prodotti Aiutami a scegliere Sviluppatori Documentazione Libreria per sviluppatori Documentazione e guide Demo applicazioni Scopri cosa puoi costruire Tutorial Tutorial di creazione passo-passo Architettura di riferimento Diagrammi e modelli di progettazione Prodotti Intelligenza artificiale AI Gateway Osserva e controlla le app IA Workers AI Esegui modelli ML sulla nostra rete Elaborazione Observability Log, metriche e tracce Workers Crea e distribuisci app serverless Media Images Trasforma, ottimizza le immagini Realtime Crea app audio e video in tempo reale Archiviazione e database D1 Crea database SQL serverless R2 Archivia i dati senza costose tariffe in uscita Piani e prezzi Workers Crea e distribuisci app serverless Workers KV Archivio chiave-valore serverless per le app R2 Archivia i dati senza ingenti costi in uscita Esplora i progetti Le testimonianze dei clienti Demo IA in 30 secondi Guida rapida per iniziare Esplora Workers Playground Crea, testa e distribuisci Sviluppatori Discord Unisciti alla community Inizia a costruire Partner Partner network Cresci, innova e soddisfa le esigenze dei clienti con Cloudflare Portale Partner Trova risorse e registra offerte Tipi di partnership Programma PowerUP Fai crescere la tua attività mantenendo i tuoi clienti connessi e protetti Partner Technology Esplora il nostro ecosistema di partnership e integrazioni tecnologiche Global Systems Integrator (GSI) Supporta una trasformazione digitale su larga scala senza interruzioni Service Provider Scopri la nostra rete di stimati fornitori di servizi Programma di agenzia self-service Gestisci gli account self-service per i tuoi clienti Portale peer-to-peer Informazioni sul traffico per la tua rete Trova un partner Potenzia la tua attività: entra in contatto con i partner Cloudflare Powered+. Risorse Impegno Demo + tour dei prodotti Demo di prodotti on demand Case study Storie di successo con Cloudflare Webinar Discussioni approfondite Workshop Forum virtuali Libreria Guide utili, roadmap e altro ancora Report Approfondimenti dalla ricerca di Cloudflare Blog Approfondimenti tecnici e notizie sui prodotti Centro di apprendimento Strumenti formativi e contenuti dimostrativi Costruisci Architettura di riferimento Guide tecniche Guide ai prodotti e alle soluzioni Documentazione prodotti Documentazione Documentazione sviluppatori Esplora theNET Approfondimenti esecutivi per l'impresa digitale Cloudflare TV Serie ed eventi innovativi Cloudforce One Ricerca e operazioni sulle minacce Radar Tendenze del traffico e della sicurezza di Internet Report di analisi Report di ricerca di settore Eventi Prossimi eventi regionali Attendibilità, privacy e conformità Informazioni e criteri di conformità Supporto Contattaci Forum della community Hai perso l'accesso all'account? Sviluppatori Discord Ottieni assistenza Azienda informazioni aziendali Leadership Incontra i nostri leader Relazioni con gli investitori Informazioni per gli investitori Stampa Esplora le notizie recenti Opportunità di lavoro Esplora i ruoli aperti fiducia, privacy e sicurezza Privacy Criteri, dati e protezione Fiducia Criteri, processi e sicurezza Conformità Certificazione e regolamentazione Trasparenza Criteri e divulgazioni Interesse pubblico Umanitario Progetto Galileo Governo Progetto Athenian Elezioni Cloudflare For Campaigns Salute Project Fair Shot Una rete globale Posizioni e stato globali Accedi Contatta il reparto Vendite Accelera il tuo percorso verso l'IA Hai la tua visione dell'intelligenza artificiale. La piattaforma unificata di sicurezza, connettività e sviluppo di Cloudflare ti aiuta a realizzare questa visione con maggiore velocità e sicurezza. Richiedi una consulenza Problema La complessità riduce l'impatto dell'IA Le organizzazioni hanno obiettivi ambiziosi in materia di intelligenza artificiale. Tuttavia, molti progetti sono frenati da uno sviluppo lento, da problemi di scalabilità e da nuovi tipi di rischio. Sviluppo lento dell'IA Le complesse catene di strumenti e un panorama tecnologico in continua evoluzione ostacolano l'innovazione dell'intelligenza artificiale. Sfida alla scalabilità dell'IA Le basi utenti globali, i picchi di utilizzo e i costi di calcolo inflessibili ostacolano la crescita dell'IA. Rischio crescente dell'IA La visibilità limitata, la gestione complessa dei rischi e la scarsa governance dei dati limitano l’impatto dell’intelligenza artificiale, anche con il codice generato dall’intelligenza artificiale stessa. SOLUZIONE Cloudflare è il tuo unico punto di controllo dell'IA "La connettività cloud di Cloudflare consente alle organizzazioni di creare applicazioni di intelligenza artificiale (IA), connettere e scalare app di IA e proteggere l'intero ciclo di vita dell'IA da un'unica piattaforma globale". Crea con l'IA IA sicura Principali esigenze dell'intelligenza artificiale Crea una strategia basata sull'intelligenza artificiale o rimarrai indietro I progressi e i casi d’uso sbloccati dall’intelligenza artificiale nell’ultimo anno mostrano l’enorme potenziale di cui dispone per trasformare il modo in cui lavoriamo e consumiamo informazioni. La pressione è elevata per fornire una strategia di intelligenza artificiale che copra il modo in cui la tua azienda utilizza l’intelligenza artificiale, come proteggi la proprietà intellettuale e come aggiungi componenti abilitati all’intelligenza artificiale alle applicazioni interne ed esterne. Innovazione più rapida Crea applicazioni di intelligenza artificiale con maggiore velocità, costi ridotti e maggiore agilità, indipendentemente dal modello di intelligenza artificiale. Scala globale Offri esperienze affidabili e veloci su stack di intelligenza artificiale complessi e basi di utenti globali. Sicurezza integrata Comprendi e gestisci il rischio dell'intelligenza artificiale senza perderti tra dashboard o aggiornamenti costanti delle politiche. Ebook: Guida aziendale alla protezione e alla scalabilità dell'IA Scopri perché le aziende hanno difficoltà a creare e proteggere in modo significativo l'infrastruttura di intelligenza artificiale su larga scala, perché l'infrastruttura di intelligenza artificiale degli hyperscaler spesso non è all'altezza e come superare queste difficoltà. Leggi l'ebook I leader di tutto il mondo, tra cui il 30% delle aziende Fortune 1000, si affidano a Cloudflare Pronto per una chiacchierata con uno specialista? Richiedi una consulenza Come funziona Una piattaforma unificata di sicurezza IA, connettività e servizi per sviluppatori I servizi di intelligenza artificiale di Cloudflare sono progettati per funzionare ovunque nella nostra rete globale in oltre 330 città e sono già utilizzati dall'80% delle prime 50 aziende leader nel settore dell'IA generativa. Costruisci Crea applicazioni di intelligenza artificiale full stack con accesso a oltre 50 modelli di intelligenza artificiale nella nostra rete globale. Crea ed esegui agenti senza pagare per i tempi di attesa. Ulteriori informazioni Connettiti Controlla e osserva le app basate sull'intelligenza artificiale, riducendo al contempo i costi di inferenza e instradando dinamicamente il traffico. Crea server MCP che funzionano sulla nostra rete globale Ulteriori informazioni Proteggi Estendi la visibilità, riduci i rischi e proteggi i dati durante l'intero ciclo di vita dell'IA. Controlla come i crawler AI possono accedere ai tuoi contenuti Web. Ulteriori informazioni Cloudflare aiuta Indeed a scoprire e gestire l'uso della shadow AI Indeed, un importante sito di ricerca lavoro, desiderava avere una maggiore comprensione e un maggior controllo sulle applicazioni di intelligenza artificiale utilizzate dalla sua forza lavoro. È passata alla suite di sicurezza IA di Cloudflare , che aiuta a scoprire i modelli di utilizzo dell'intelligenza artificiale e ad applicare le politiche di utilizzo dei dati. Oggi Indeed è sulla buona strada per raggiungere il giusto equilibrio tra innovazione e controllo. "Cloudflare ci aiuta a scoprire quali rischi esistono per la shadow AI e a bloccare app e chatbot di intelligenza artificiale non autorizzati". INTRODUZIONE Piani gratuiti Piani per piccole imprese Per le aziende Ottieni un suggerimento Richiedi una demo Contatta il reparto Vendite SOLUZIONI Connettività cloud Servizi per le applicazioni SASE e sicurezza dell'ambiente di lavoro Servizi di rete Piattaforma per sviluppatori SUPPORTO Centro assistenza Assistenza clienti Forum della community Sviluppatori Discord Hai perso l'accesso all'account? Stato di Cloudflare CONFORMITÀ Risorse di conformità Fiducia GDPR IA responsabile Rapporto sulla trasparenza Segnala un abuso INTERESSE PUBBLICO Progetto Galileo Progetto Athenian Cloudflare per campagne Progetto Fair Shot AZIENDA Informazioni su Cloudflare Mappa di rete Il nostro team Loghi e cartella stampa Diversità, equità e inclusione Impact/ESG © 2026 Cloudflare, Inc. Informativa sulla privacy Condizioni per l’utilizzo Report Problemi di sicurezza Attendibilità e sicurezza Preferenze sull'uso dei cookie Marchio registrato | 2026-01-13T09:29:34 |
https://www.atlassian.com/software/jira/guides/projects/tutorials | Tutorials on Jira Project Spaces | Atlassian Close View this page in your language ? All languages Choose your language 中文 Deutsch English Español Français Italiano 한국어 Nederlands 日本語 Português Pусский Polski Get it free Features All Features Rovo in Jira Back Solutions Teams Use cases Company size Teams Marketing Engineering Design Operations IT Use cases Getting started Planning Campaign Management Agile Project Management Program Management Company size Enterprise Back Product guide Templates Templates All Templates Software Development Marketing Design Sales Operations Service Management HR Legal IT Operations Finance Jira Service Management templates Back Pricing More + Less - Get it free Back Get it free Getting started Introduction to Jira Jira for Teams 7 Steps to Get Started in Jira Projects Overview Tutorials Resources Boards Overview Tutorials Resources Work items/issues Overview Tutorials Resources Workflows Overview Tutorials Resources Integrations Overview Tutorials Resources Reports and Dashboards Overview Tutorials Resources Insights Overview Tutorials Resources Permissions Overview Tutorials Resources JQL Overview Tutorials Cheat sheet Resources Navigation Overview Tutorials Resources Automation Overview Tutorials Resources Timeline Overview Tutorials Resources Advanced planning Overview Tutorials Resources Jira Mobile Overview Tutorials Resources More about Jira Editions of Jira Hosting options Creating projects in Jira tutorials Create a new project in Jira Select ‘Create project’ from the ‘Projects’ in the top navigation. Please note that you won’t see this option if you don’t have permissions to create projects. Structure a project in Jira There is no one-size fits all approach to structuring a project in Jira. However, it may be helpful to recognize that Jira projects are not intended to be bespoke or unique to a single outcome. Rather, they capture ongoing efforts. With that in mind, here are a few approaches you may want to consider when thinking about how to structure your project in Jira: By team - Team-based projects are another common organizational model. This allows your work to mirror your social organization and is convenient in less cross-functional setups, as it allows for more straight forward project permission management. By business unit - You may want to organize around larger business units such as marketing, IT, etc. Types of work will likely fall into similar patterns, making setting up workflows - and issue types particularly - more convenient. By product - If you're a software development team looking to make heavy use of the Jira release and versioning system, you'll want to give strong consideration to organizing your projects by releasable product or groups of work that share a common release cycle. Even within these categories, you can get as granular or as broad as you want. For example, if you structure by product, you can continue to sub-categorize by specific features. Company Careers Events Blogs Investor Relations Atlassian Foundation Press kit Contact us products Rovo Jira Jira Align Jira Service Management Confluence Loom Trello Bitbucket See all products Resources Technical support Purchasing & licensing Atlassian Community Knowledge base Marketplace My account Create support ticket Learn Partners Training & certification Documentation Developer resources Enterprise services See all resources Copyright © 2025 Atlassian Privacy Policy Terms Impressum Choose language Deutsch English Español Français Italiano 한국어 Nederlands 日本語 Polski Português русский 中文 | 2026-01-13T09:29:34 |
https://es-la.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT2sNMHYzitoPSEfJsXkqvloqRUxIJIopp28rQfaItrhz2aN24BUXCxLByo7RN0rtEGnzmfDjJvzUhkboKt6Otzh5ksbYAnTsKOxnBOv_JCKZKKQjl3T5Sp4HoTs5V-POj4uS0aXV3zLAErg | Facebook Facebook Correo o teléfono Contraseña ¿Olvidaste tu cuenta? Crear cuenta nueva Se te bloqueó temporalmente Se te bloqueó temporalmente Parece que hiciste un uso indebido de esta función al ir muy rápido. Se te bloqueó su uso temporalmente. Back Español 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch Registrarte Iniciar sesión Messenger Facebook Lite Video Meta Pay Tienda de Meta Meta Quest Ray-Ban Meta Meta AI Más contenido de Meta AI Instagram Threads Centro de información de votación Política de privacidad Centro de privacidad Información Crear anuncio Crear página Desarrolladores Empleo Cookies Opciones de anuncios Condiciones Ayuda Importación de contactos y no usuarios Configuración Registro de actividad Meta © 2026 | 2026-01-13T09:29:34 |
https://www.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT2sNMHYzitoPSEfJsXkqvloqRUxIJIopp28rQfaItrhz2aN24BUXCxLByo7RN0rtEGnzmfDjJvzUhkboKt6Otzh5ksbYAnTsKOxnBOv_JCKZKKQjl3T5Sp4HoTs5V-POj4uS0aXV3zLAErg | Facebook Facebook 이메일 또는 휴대폰 비밀번호 계정을 잊으셨나요? 새 계정 만들기 일시적으로 차단됨 일시적으로 차단됨 회원님의 이 기능 사용 속도가 너무 빠른 것 같습니다. 이 기능 사용에서 일시적으로 차단되었습니다. Back 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026 | 2026-01-13T09:29:34 |
https://wp.me/pf2B5-dpj | Case Study: LUBUS Agency’s Clients Save 50-90% by Migrating to WordPress.com – WordPress.com News Products Features Resources Plans & Pricing Log in Get started Menu WordPress Hosting WordPress for Agencies Become an Affiliate Domain Names AI Website Builder Website Builder Create a Blog Newsletter Professional Email Website Design Services Commerce WordPress Studio Enterprise WordPress Overview WordPress Themes WordPress Plugins WordPress Patterns Google Apps Support Center WordPress News Business Name Generator Logo Maker Discover New Posts Popular Tags Blog Search Close the navigation menu Get started Sign up Log in About Plans & Pricing Products WordPress Hosting WordPress for Agencies Become an Affiliate Domain Names AI Website Builder Website Builder Create a Blog Newsletter Professional Email Website Design Services Commerce WordPress Studio Enterprise WordPress Features Overview WordPress Themes WordPress Plugins WordPress Patterns Google Apps Resources Support Center WordPress News Business Name Generator Logo Maker Discover New Posts Popular Tags Blog Search Jetpack App Learn more Blog News Development Product Features Tips and Tutorials Resources Customer Stories Categories News Development Product Features Tips and Tutorials Resources Customer Stories Case Study: LUBUS Agency’s Clients Save 50-90% by Migrating to WordPress.com April 10, 2023 · Updated on December 10, 2024 · 6 mins read POSTED BY Donna Fontenot RELATED READING WordPress 6.9: What’s New for Developers Joe Fylan WordPress 6.9: What’s New for Bloggers, Creators, and Site Owners Maddy Osman Executive Summary LUBUS, a development agency specializing in WordPress and Laravel, faced challenges with variable hosting costs and maintenance for their clients. They needed a solution that offered fixed costs, high performance, secure web hosting , and reliable service and support. LUBUS decided to test WordPress.com and, after witnessing positive results, confidently recommended it to their clients. The migration to WordPress.com led to faster site load times, improved stability during traffic surges, and significant cost savings of 50-90% for clients. This allowed LUBUS to concentrate on its core services and offer a more straightforward solution to its clients without the need for DevOps budgets or ongoing maintenance costs. WordPress.com provided an all-in-one solution, ensuring a stable, secure, and cost-efficient experience for LUBUS’s clients. Introduction We recently spoke with Ajit Bohra, the Founder and WordPress Engineer of LUBUS, a development agency specializing in WordPress and Laravel. LUBUS, established in 2008, creates high-quality websites for clients in India and across the globe. They have experience building a wide variety of websites, including healthcare, renewables, publishers, telecommunications, music news, online stores, and more. Their commitment to delivering “friendly solutions” in WordPress website development led them to seek a solution that provides their clients with: A website with fixed costs and no hard limits A high-performance, secure web hosting platform A host managed and maintained by WordPress experts Reliable service and support LUBUS chose to test WordPress.com and, after witnessing positive results, confidently recommended it to many of their clients. The LUBUS Story LUBUS has a team of 12 WordPress designers and developers, serving 8 to 10 new clients annually. About 60% of their clients retain LUBUS’s maintenance and consulting services after the initial site development and launch. Previously, they hosted clients on AWS (Amazon Web Services) and similar cloud hosting services. While these solutions were suitable for clients who required more complex control, they presented difficulties for many others. The Challenges and Needs of Various WordPress Website Clients LUBUS aimed to provide the best service to their clients while keeping their workload focused on core offerings. Stable Costs and Hosting For many clients, particularly those in emerging markets or with smaller budgets, the variable billing costs of providers like AWS were often disruptive. These clients needed to budget for exact costs without unexpected charges at the end of a pricing period. Some clients experienced large traffic spikes that either caused their websites to crash or resulted in increased costs to cover additional resources. Neither scenario supports effective growth and scaling. Ajit Bohra, the LUBUS founder, shared an example where they migrated a heavy metal client’s website to WordPress.com. When the band Metallica shared one of the client’s articles, the site effortlessly handled the traffic surge without incurring additional costs or experiencing any performance issues. Maintenance and Worry-Free Hosting In the absence of managed hosting, clients either had to maintain the environment themselves or pay LUBUS for maintenance. This extra time and cost were prohibitive to clients and diverted LUBUS from its primary focus. “We needed to move away from DevOps and concentrate on our core services. We searched for a straightforward solution that clients could manage themselves without DevOps budgets or ongoing maintenance costs. We aimed to provide clients with a reliable hosting service we could endorse without hesitation, ultimately resulting in satisfied clients. We found that service with WordPress.com,” explained Ajit Bohra, LUBUS founder. Why LUBUS Chose to Migrate Clients to WordPress.com Ajit and his team members often attended WordCamps, where they conversed with WordPress.com representatives. Eventually, Ajit felt confident enough to trial WordPress.com with a budget client who wanted to manage their site independently in the future. Factors that contributed to his decision to test WordPress.com included: Eliminating security concerns for both LUBUS and the client Removing worries about performance or speed The platform’s development by the same team behind the open-source WordPress application Clients feeling confident enough to manage their own site, knowing they’re protected by Jetpack backups, activity logs, and backed up by excellent WordPress.com support Giving clients an option for a lower and more reliable cost model. The Migration Process LUBUS found the migration process smooth and cost-effective, significantly reducing DevOps and maintenance expenses. As LUBUS migrated more clients to WordPress.com , they continued to experience smooth, error-free migrations. Even in challenging situations, the WordPress.com Happiness Engineers (support team) resolved issues efficiently, providing a positive experience for LUBUS. The Results: Speed, Stability, and Cost Savings We were eager to learn LUBUS’s thoughts on their experience with migrating clients’ sites to WordPress.com. Here’s what we discovered. Faster Sites Although LUBUS focuses on well-developed sites optimized for fast load times, developers cannot control the server’s TTFB (Time to First Byte). TTFB measures the time it takes for the first byte of the page to load in the client’s browser, reflecting the server’s responsiveness. On average, LUBUS observed a 60-70% improvement in TTFB speed after migrating sites to WordPress.com. This improvement can mean the difference between users staying on the site or leaving due to frustration with load times. Stability Some hosting providers hinder a client’s website success and growth. When a site experiences a traffic surge due to a successful marketing or social campaign, some hosts either fail to allocate the necessary resources to keep the site running or charge substantial fees for the extra resources. In both cases, the client’s potential gains from the traffic surge are negatively impacted. LUBUS clients appreciate that WordPress.com aims to help them succeed rather than penalize them for their success. With high-performance CPUs and automated burst scaling, clients can trust that their sites will withstand traffic surges without incurring additional costs. Cost Savings LUBUS founder Ajit Bohra stated, “Many of our clients saved a considerable amount of money, ranging from 50% to over 90%, on hosting charges after moving to WordPress.com. This significant savings offers a tremendous boost for clients, especially in countries like India, or those with basic sites, blogs, webzines, mid-level traffic eCommerce sites, and startups.” The End Result “There are many reasons we recommend WordPress.com to clients. —Clients want us, and their hosting provider, to simplify their lives. —We don’t want clients to be intimidated by WordPress, and WordPress.com makes it much easier for them to adapt. —Clients are skeptical about relying on plugins for tasks that should be managed by hosting, which WordPress.com does. —Clients want everything in one place, such as support, domain, content, marketing tools, and hosting. —Clients want to know their site will be stable, secure, and cost-efficient. WordPress.com makes it simple to meet our clients’ needs.” —Ajit Bohra, LUBUS founder WordPress.com + Your Agency = Satisfied Clients WordPress web design and development agencies are discovering the power of WordPress.com hosting and the benefits it offers to their clients. With full-stack performance, robust security, and developer-friendly features, WordPress.com provides agencies with a platform they can confidently recommend to their clients. Discover what we can do for your agency . Looking for a development agency focused on providing friendly solutions to big or small ideas? See how Lubus can help you. Share this: Click to share on Bluesky (Opens in new window) Bluesky Click to share on Mastodon (Opens in new window) Mastodon Click to share on X (Opens in new window) X Click to share on Reddit (Opens in new window) Reddit Click to share on Pocket (Opens in new window) Pocket Click to share on Tumblr (Opens in new window) Tumblr Click to share on WhatsApp (Opens in new window) WhatsApp Click to share on Facebook (Opens in new window) Facebook Click to share on LinkedIn (Opens in new window) LinkedIn Like Loading... 16 Comments Comments are closed. arlenecorwin Apr 11th at 10:37 am Am I stil on WordPress? I haven’t paid attention in a long time, but write everyday. (I’ve been a ember many years). Arlene Corwin Sweden > supernovia Apr 11th at 6:55 pm If you’re logged into WordPress.com, you should see your most recent posts here: https://wordpress.com/posts If you don’t see anything there, you might be writing somewhere else, but you would be welcome to post here or import your content! Let us know how we can help. Gaurav Tiwari Apr 11th at 10:46 am Can we get a 5-sites, 10-sites packages which saves us some money while hosting multiple websites on WordPress-dot-com? supernovia Apr 11th at 6:53 pm We don’t have those currently, but we’ll note your request. Thanks! tahltanrose Apr 11th at 5:11 pm Hello I switch to Jetpack and when I did that it prompted me to delete WordPress. Now did I do that wrong? Thank you Sent from my iPhone supernovia Apr 11th at 6:52 pm Hi, if you’ve installed Jetpack, you can choose whether to delete the WordPress app. I don’t recommend using them concurrently. tahltanrose Apr 11th at 6:54 pm Ok that’s what it prompted me to do so that’s what I did. Thank you Rose Tashoots salimaliyu20 Apr 11th at 10:30 pm You can delete WordPress app then use jetpack tahltanrose Apr 12th at 3:30 pm Ok that’s what I did thanks Sonika Apr 12th at 5:46 pm Hey wordpress…. I have a question… What is blaze and how it is work? supernovia Apr 12th at 6:27 pm Hi! It’s a means of letting you promote your post. We have more details in this announcement post as well as in our support docs . Let us know if you have more questions! Sonika Apr 19th at 6:12 am How can I share my blogs on other social media platform like insta, youtube and any other? Onyebuchi blog Apr 13th at 4:54 pm I just took WordPress serious early this year but I don’t have the finance and work force for steady updates but I know I will get there soon Akye Wo Tv Apr 15th at 1:28 am how can i get more followers please Jerry B Apr 16th at 6:05 pm We do not discuss that in this article but you can found out more about how to build traffic and followers on your site here: https://wordpress.com/support/getting-more-views-and-traffic/ Katlego Rapatla Apr 17th at 1:51 pm Looks like an interesting site Don’t miss a thing Sign up for the WordPress.com newsletter to get news, updates, and all the latest articles straight to your inbox. Email Address: Subscribe WordPress.com Products WordPress Hosting WordPress for Agencies Become an Affiliate Domain Names AI Website Builder Website Builder Create a Blog Professional Email Website Design Services WordPress Studio Enterprise WordPress Features Overview WordPress Themes WordPress Plugins WordPress Patterns Google Apps Resources WordPress.com Blog Business Name Generator Logo Maker WordPress.com Reader Accessibility Remove Subscriptions Help Support Center Guides Courses Forums Contact Developer Resources Company About Press Terms of Service Privacy Policy Do Not Sell or Share My Personal Information Privacy Notice for California Users English Español Français Português do Brasil 日本語 English Español Français Português do Brasil 日本語 Mobile Apps Download on the App Store Get it on Google Play Social Media WordPress.com on Facebook WordPress.com on X (Twitter) WordPress.com on Instagram WordPress.com on YouTube Automattic Automattic Work With Us Reblog Subscribe Subscribed WordPress.com News Join 119,610,570 other subscribers Sign me up Already have a WordPress.com account? Log in now. WordPress.com News Subscribe Subscribed Sign up Log in Copy shortlink Report this content View post in Reader Manage subscriptions Collapse this bar Loading Comments... You must be logged in to post a comment. %d | 2026-01-13T09:29:34 |
https://chromewebstore.google.com/detail/category/top-charts/detail/askbelynda-sustainable-sh/category/extensions/productivity/detail/quillbot-ai-writing-and-g/iidnbdjijdkbmajdffnidomddglmieko | Chrome Web Store Skip to main content Chrome Web Store My extensions & themes Developer Dashboard Give feedback Sign in Discover Extensions Themes Welcome to Chrome Web Store Welcome to the Chrome Web Store Supercharge your browser with extensions and themes for Chrome See collection Favorites of 2025 Discover the standout AI extensions that made our year See collection Every day is Earth Day Plant trees, shop sustainably, and more See collection Adobe Photoshop Easily remove backgrounds, adjust colors and more. Plus, get 6 months free access to Photoshop web. 3.7 600K Users See details The future of writing Elevate your writing and create engaging and high-quality content effortlessly See collection 1 / 5 Top categories Shopping Entertainment Tools Art & Design Accessibility Top charts Trending Kami for Google Chrome™ Education 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. BetterCampus (prev. BetterCanvas) Education 4.9 Average rating 4.9 out of 5 stars. Learn more about results and reviews. Read&Write for Google Chrome™ Accessibility 3.4 Average rating 3.4 out of 5 stars. Learn more about results and reviews. See more Popular Volume Master Accessibility 4.8 Average rating 4.8 out of 5 stars. Learn more about results and reviews. Free VPN for Chrome - VPN Proxy VeePN Workflow & Planning 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. AdBlock — block ads across the web Workflow & Planning 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. See more New and notable Ad Block Wonder Privacy & Security 4.3 Average rating 4.3 out of 5 stars. Learn more about results and reviews. Smart popup blocker Tools 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Manus AI Browser Operator Tools 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. See more Editors' Picks for you Handpicked by Chrome Editors See collection Extend your browser See more Discover a new level of convenience and customization with side panel extensions Chat with all AI models (Gemini, Claude, DeepSeek…) & AI Agents | AITOPIA 4.9 Average rating 4.9 out of 5 stars. Learn more about results and reviews. AI Agent Marketplace & AI Sidebar with all AI models (Gemini, Claude, DeepSeek & more) and hundreds of AI Agents Adobe Photoshop 3.7 Average rating 3.7 out of 5 stars. Learn more about results and reviews. Easily remove backgrounds, adjust colors and more. Plus, get 6 months free access to Photoshop web. BrowserGPT: ChatGPT Anywhere Powered by GPT 4 4.4 Average rating 4.4 out of 5 stars. Learn more about results and reviews. Write, reword, and translate 8x faster. Reply to emails in a click. Works on Google Docs, Gmail, YouTube, Twitter, Instagram, etc. Sidebar: ChatGPT, Bookmarks, GPT-4o | Meomni 4.8 Average rating 4.8 out of 5 stars. Learn more about results and reviews. Ultimate Sidebar ChatGPT Assistant, Bookmarks with AI, Calendar and Tasks Fleeting Notes 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Quick notes from the browser to Obsidian Eclipse your screen Dim the lights with our dark mode selections See collection Chrome monthly spotlight Promising extensions to try out Web Highlights: PDF & Web Highlighter + Notes & AI Summary Productivity Highlighter & Annotation Tool for Websites & PDFs with AI Summary - free, easy to use, no sign-up required. Moonlight: AI Colleague for Research Papers Everything you need to read a paper: explanation, summary, translation, chat, and reference search. Reboost - Track Water Intake and Set Reminders Track your water intake and set custom reminders. Stay hydrated, stay on track, and never miss a break! ✨ YouTube Notes to Notion with Udemy, Coursera, BiliBili and more by Snipo Take YouTube notes directly to Notion, generate AI flashcards, capture screenshots, and sync learning courses with Notion Works with Gmail See more Boost your email productivity Boomerang for Gmail 4.2 Average rating 4.2 out of 5 stars. Learn more about results and reviews. Meeting scheduling and email management tool trusted by millions. Schedule meetings, track responses, send later, and more. Checker Plus for Gmail™ 4.7 Average rating 4.7 out of 5 stars. Learn more about results and reviews. Get notifications, read, listen to or delete emails without opening Gmail and easily manage multiple accounts. Email Tracker by Mailtrack® 4.4 Average rating 4.4 out of 5 stars. Learn more about results and reviews. Free, unlimited email tracker for Gmail, trusted by millions. Accurate, reliable, GDPR-compliant, and Google-audited. Streak CRM for Gmail 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. Manage sales and customer relationships directly inside Gmail. GMass: Powerful mail merge for Gmail 4.8 Average rating 4.8 out of 5 stars. Learn more about results and reviews. A powerful mass email and mail merge system for Gmail. Just for fun Bring some joy to your browser See collection Learn a new language See more Study while you browse Google Translate 4.2 Average rating 4.2 out of 5 stars. Learn more about results and reviews. View translations easily as you browse the web. By the Google Translate team. Rememberry - Translate and Memorize with Flashcards 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Translate words while browsing and turn them into spaced repetition flashcards to build foreign language vocabulary. DeepL: translate and write with AI 4.7 Average rating 4.7 out of 5 stars. Learn more about results and reviews. Translate while you read and write with DeepL Translate, the world’s most accurate translator. Relingo - Master vocabulary while browsing websites and watching YouTube 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Relingo extract words, full-text immersive translation while browsing. Also supports bilingual subtitles for Youtube, Netflix, etc. Readlang Web Reader 4.3 Average rating 4.3 out of 5 stars. Learn more about results and reviews. Read websites in the language you're learning, translate words you don't know, and we'll create flashcards to help you remember. Game on See more Beat boredom with bite-sized games in your browser BattleTabs 4.7 Average rating 4.7 out of 5 stars. Learn more about results and reviews. Multiplayer Battles in your New Tab Tiny Tycoon 4.7 Average rating 4.7 out of 5 stars. Learn more about results and reviews. Build a tiny tycoon on a tiny planet. Boxel 3D 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Boxel 3D is a speedrunning game packed with challenging levels, custom skins, online multiplayer, and a creative level editor. Ice Dodo 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Play 3D game easily by clicking the little icon at the top right corner of your browser. Boxel Golf 4.7 Average rating 4.7 out of 5 stars. Learn more about results and reviews. Boxel Golf is a multiplayer golf game packed with challenging courses, custom hats, and a powerful level builder. Work smarter, not harder with AI Automate tasks and stay focused and organized with AI-powered productivity extensions See collection For music lovers See more Equalizers, radios, playlists, and more Volume Master 4.8 Average rating 4.8 out of 5 stars. Learn more about results and reviews. Up to 600% volume boost Music Mode for YouTube™ 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. Hides the video and thumbnails on YouTube. Blocks the video keeping only the audio on YouTube Music. Smart Mute 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. Listen to audio one tab at a time. Modest Guitar | Columns for Ultimate-Guitar 4.8 Average rating 4.8 out of 5 stars. Learn more about results and reviews. Multiple columns and fullscreen for Ultimate-Guitar tabs Chrome Piano 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. Play the piano in your browser Google apps About Chrome Web Store Developer Dashboard Privacy Policy Terms of Service Help | 2026-01-13T09:29:34 |
https://ja-jp.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT3IWyCUG1-4UvYL2ljswjKnsMnT4lhZrlGZTlLOyEYbNa8HYbtpggv47cM9v9YilU9pLdNIN2tM3D2mR_Rdt9OWzBu3nh6sUH9gpaJEJcrToliCVuNi4mactKE0e0lmfD8l-7Fjbzazvgd5 | Facebook Facebook メールアドレスまたは電話番号 パスワード アカウントを忘れた場合 新しいアカウントを作成 機能の一時停止 機能の一時停止 この機能の使用ペースが早過ぎるため、機能の使用が一時的にブロックされました。 Back 日本語 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) Português (Brasil) Français (France) Deutsch アカウント登録 ログイン Messenger Facebook Lite 動画 Meta Pay Metaストア Meta Quest Ray-Ban Meta Meta AI Meta AIのコンテンツをもっと見る Instagram Threads 投票情報センター プライバシーポリシー プライバシーセンター Facebookについて 広告を作成 ページを作成 開発者 採用情報 Cookie AdChoices 規約 ヘルプ 連絡先のアップロードと非ユーザー 設定 アクティビティログ Meta © 2026 | 2026-01-13T09:29:34 |
https://wordpress.com/ko/support/github-deployments/ | 워드프레스닷컴에서 GitHub 배포 사용 – 지원 제품 기능 리소스 요금제 및 가격 로그인 시작하기 메뉴 WordPress 호스팅 에이전시용 WordPress 제휴사 되기 도메인 네임 AI 웹사이트 제작 도구 웹사이트 제작 도구 블로그 생성 뉴스레터 Professional Email 웹사이트 디자인 서비스 상거래 워드프레스 스튜디오 엔터프라이즈 워드프레스 전체 보기 WordPress 테마 WordPress 플러그인 워드프레스 패턴 Google Apps 지원 센터 WordPress 뉴스 비즈니스 이름 생성 도구 로고 메이커 새 글 발견하기 인기있는 태그 블로그 검색 탐색 메뉴 닫기 시작하기 가입 로그인 정보 요금제 및 가격 제품 WordPress 호스팅 에이전시용 WordPress 제휴사 되기 도메인 네임 AI 웹사이트 제작 도구 웹사이트 제작 도구 블로그 생성 뉴스레터 Professional Email 웹사이트 디자인 서비스 상거래 워드프레스 스튜디오 엔터프라이즈 워드프레스 기능 전체 보기 WordPress 테마 WordPress 플러그인 워드프레스 패턴 Google Apps 리소스 지원 센터 WordPress 뉴스 비즈니스 이름 생성 도구 로고 메이커 새 글 발견하기 인기있는 태그 블로그 검색 젯팩 앱 더 알아보기 지원 센터 가이드 과정 포럼 연락처 검색 지원 센터 / 가이드 지원 센터 가이드 과정 포럼 연락처 가이드 / 계정 관리 / 도구 / 워드프레스닷컴에서 GitHub 배포 사용 워드프레스닷컴에서 GitHub 배포 사용 GitHub 배포는 GitHub 저장소를 워드프레스닷컴 사이트와 직접 통합하여 플러그인, 테마 또는 완전한 사이트 변경을 배포하기 위한 버전 제어, 자동 워크플로를 제공합니다. 이 가이드에서는 설정 프로세스와 연결된 저장소 관리 방법에 대해 설명합니다. 이 기능은 워드프레스닷컴 비즈니스 및 상거래 요금제 를 이용하는 사이트에서 사용할 수 있습니다. 비즈니스 요금제를 이용하는 경우 이를 활성화해야 합니다 . 무료 사이트나 개인 및 프리미엄 요금제를 사용하는 사이트의 경우 요금제를 업그레이드 하여 이 기능에 접근하세요. 이 가이드에서 비디오 튜토리얼 저장소 연결 배포 설정 관리 고급 배포 코드 배포 기존 연결 관리 배포 실행 로그 저장소 연결 해제 GitHub에서 워드프레스닷컴 연결 해제 문의 사항이 있으십니까? AI 도우미에게 물어보기 맨 위로 이동 비디오 튜토리얼 영어 비디오입니다. YouTube의 자동 번역 기능을 사용하면 원하는 언어로 시청할 수 있습니다. 자동 번역 자막을 켜는 방법: 비디오를 재생합니다. 비디오 오른쪽 하단의 ⚙️ 설정 아이콘을 클릭합니다. 자막/CC 를 선택합니다. 자동 번역 을 선택합니다. 원하는 언어를 선택합니다. 자동 더빙(실험 기능)으로 시청하는 방법: ⚙️ 설정 아이콘을 클릭합니다. 오디오 트랙 을 선택합니다. 시청하려는 언어를 선택합니다. ℹ️ 번역과 더빙은 Google에서 자동 생성되므로 정확하지 않을 수 있으며, 자동 더빙 기능은 현재 테스트 중이라 모든 언어에서 사용할 수 있는 것은 아닙니다. 저장소 연결 GitHub 저장소를 워드프레스닷컴 사이트에 배포하려면 먼저 다음 단계에 따라 둘 사이의 연결을 설정해야 합니다. 사이트 페이지( https://wordpress.com/sites/ )를 방문합니다. 사이트 이름을 클릭하여 사이트 개요를 봅니다. 배포 탭을 클릭합니다. “ 저장소 연결 ” 버튼을 클릭합니다. 그런 다음 나열된 저장소가 보이면 이미 GitHub 계정이 연결된 것입니다. 11단계로 계속합니다. “ 워드프레스닷컴 앱 설치 ” 버튼을 클릭합니다. 새 창이 열리고 아직 로그인하지 않은 경우 GitHub 계정에 로그인하라는 메시지가 표시됩니다. 그러면 다음과 같은 화면이 표시됩니다. “ 개발자용 워드프레스닷컴 인증 ” 버튼을 클릭합니다. 저장소가 위치한 GitHub 조직 또는 계정을 선택합니다. 연결할 저장소를 선택합니다. 모든 저장소: 이 옵션을 선택하면 선택한 GitHub 계정이 소유한 모든 현재 및 미래 저장소에 대한 워드프레스닷컴 접근 권한이 부여됩니다. 읽기 전용인 공개 저장소가 포함됩니다. 선택한 저장소만: 이 옵션을 선택하면 선택한 GitHub 계정에서 워드프레스닷컴에서 접근할 수 있는 저장소를 선택할 수 있습니다. 옵션을 선택했으면 설치 버튼을 클릭합니다. 새 창이 닫히고 워드프레스닷컴 사이트로 돌아갑니다. 선택한 저장소가 해당 저장소와 연결된 GitHub 계정과 함께 나열될 것입니다. 연결하려는 저장소 옆에 있는 선택 을 클릭합니다. 이 시점에서 인증된 GitHub 앱 및 설치된 GitHub 앱 에서 개발자용 워드프레스닷컴 이 보여야 합니다. 배포 설정 관리 저장소를 선택하면 배포 설정을 조정해야 합니다. 배포 분기: 저장소의 기본 분기(일반적으로 메인 )로 기본 설정되지만 사용하려는 분기로 변경할 수 있습니다. 대상 디렉터리: 파일을 배포하려는 서버 폴더입니다. 플러그인의 경우 /wp-content/plugins/my-plugin-name 이 됩니다. 테마의 경우 /wp-content/themes/my-theme-name 이 됩니다. 부분 사이트 배포(즉, 여러 플러그인 또는 테마)의 경우 /wp-content 를 사용할 수 있습니다. 저장소의 콘텐츠는 지정된 디렉터리에 있는 워드프레스 사이트의 기존 콘텐츠와 병합됩니다. 자동 배포: 워드프레스닷컴에 배포하는 두 가지 방법이 있습니다. 자동: 코드가 커밋되면 워드프레스닷컴 사이트에 배포됩니다. 스테이징 사이트에는 자동 배포를 권장합니다. 수동: 배포를 요청 하면 코드가 배포됩니다. 프로덕션 사이트에는 수동 배포가 권장됩니다. 배포 모드: 두 가지 배포 유형이 있습니다. 단순: 이 모드에서는 저장소의 분기에서 사이트로 모든 파일을 복사하고 사후 처리 없이 배포합니다. 고급: 이 모드에서는 워크플로우 스크립트를 사용하여 Composer 종속성 설치, 배포 전 코드 테스트 수행, 파일 배포 제어와 같은 사용자 정의 빌드 단계를 사용할 수 있습니다. Composer 또는 Node 소프트웨어가 필요한 저장소에 적합합니다. 자세한 내용은 아래의 고급 배포를 참조하세요 . 모든 설정이 구성되었으면 연결 버튼을 클릭합니다. 저장소가 추가됩니다. 첫 번째 배포는 자동 또는 수동 으로 트리거해야 합니다. 그런 다음 “ 저장소 연결 ” 버튼을 클릭하여 언제든지 다른 저장소를 연결할 수 있습니다. 고급 배포 고급 배포에서는 배포 전에 저장소의 파일을 처리하는 워크플로우 스크립트를 제공할 수 있습니다. 이를 통해 팀의 코딩 표준을 충족하는지 코드를 확인하고, 단위 테스트를 실행하고, 배포에서 파일을 제외하고, 종속성을 설치하는 등 많은 가능성이 열립니다. 시작하려면 워크플로우 레시피 를 확인하세요. 고급 배포를 설정하려면 다음 단계를 따르세요. 배포를 구성할 수 있는 양식이 나타납니다. 저장소 이름을 클릭하여 연결을 관리합니다. 오른쪽의 “ 배포 모드 선택 “에서 고급 을 선택합니다. 저장소에 이미 워크플로 파일이 있으면 여기에서 선택할 수 있습니다. 시스템에서 파일에 오류가 있는지 확인합니다. 오류를 찾을 수 없으면 7단계로 진행합니다. “ 새 워크플로 생성 ” 옵션을 선택하여 사전 구성된 워크플로 파일을 추가할 수도 있습니다. 이 옵션을 선택하면 wpcom.yml 워크플로 파일이 저장소에 이미 있는 경우 덮어씁니다. “ 나를 위해 워크플로 설치 ” 버튼을 클릭하여 워크플로 파일을 저장소에 커밋합니다. 워크플로가 추가되고 확인되었으면 업데이트 를 누릅니다. 이제 저장소에서 고급 배포를 사용합니다. 코드 배포 GitHub 저장소를 사이트에 연결한 후, 다음 단계는 실제로 코드를 배포하는 것입니다. 사용 가능한 배포 방법으로는 자동 및 수동 이 있습니다. 저장소의 코드 변경 사항이 GitHub에서 라이브 사이트로 자동으로 배포되므로 라이브 프로덕션 사이트에는 자동 배포를 권장하지 않습니다. 대신 스테이징 사이트 에 자동 배포를 설정하고 준비되면 프로덕션에 동기화하는 것을 고려해 보세요. 수동 배포에서는 각 배포를 수동으로 트리거해야 하므로 코드 변경 사항이 실시간으로 푸시되는 시기를 더 많이 제어할 수 있습니다. 스테이징 사이트를 사용하지 않으려면 수동 배포를 권장합니다. 수동 배포 트리거 사이트 페이지( https://wordpress.com/sites/ )를 방문합니다. 사이트 이름을 클릭하여 사이트 개요를 봅니다. 배포 탭을 클릭합니다. 배포하려는 저장소에서 줄임표 메뉴(⋮)를 클릭합니다. “ 수동 배포 트리거 “를 선택합니다. “배포 실행이 생성되었습니다”라는 배너 알림이 표시되어야 하며 배포 상태가 “대기 중”으로 변경됩니다. 배포가 완료될 때까지 기다립니다(상태가 “배포됨”으로 변경됨). 다시 줄임표 메뉴(⋮)를 클릭하고 “ 배포 실행 보기 “를 선택합니다. 배포 실행 로그 에 작성자 및 배포된 커밋이 표시됩니다. 배포 실행 항목을 클릭하면 추가 정보를 볼 수 있습니다. 기존 연결 관리 기존 GitHub 저장소 연결을 관리하려면 다음 단계를 따르세요. 사이트 페이지( https://wordpress.com/sites/ )를 방문합니다. 사이트 이름을 클릭하여 사이트 개요를 봅니다. 배포 탭을 클릭합니다. 그러면 연결 목록이 표시됩니다. GitHub 저장소와 사이트 사이에 연결이 하나 이상 있으면 연결 목록이 표시됩니다. 이 목록에는 저장소 이름 및 분기, 사이트에 배포된 마지막 커밋, 발생 시점, 코드가 배치된 위치, 배포 실행 시간 및 상태 등 각 연결에 대한 관련 정보가 포함됩니다. 줄임표 메뉴(⋮)를 클릭한 후에 사용할 수 있는 추가 작업은 다음과 같습니다. 수동 배포 트리거: 구성된 분기의 최신 커밋에서 배포 실행을 시작합니다. 배포 실행 보기: 연결된 저장소의 배포 실행 로그 보기를 엽니다. 연결 구성: 저장소의 연결 관리 보기를 엽니다. 저장소 연결 해제: 저장소와 사이트 사이의 연결을 제거합니다. 배포 실행 로그 배포 실행 로그는 자동 또는 수동으로 트리거되었는지 여부에 관계없이 각 배포의 상세한 단계별 레코드를 제공합니다. 이 로그는 변경 사항을 추적하고, 배포 상태를 모니터링하며, 발생하는 문제를 해결하는 데 도움이 됩니다. 30일 이내에 실행된 최근 10회의 로그에 대한 접근을 통해 각 배포 도중에 발생한 일을 쉽게 검토하고 모든 것이 원활하게 실행되는지 확인할 수 있습니다. 배포 로그를 확인하는 방법은 다음과 같습니다. 사이트 페이지( https://wordpress.com/sites/ )를 방문합니다. 사이트 이름을 클릭하여 사이트 개요를 봅니다. 배포 탭을 클릭합니다. 로그를 보려는 저장소 옆의 줄임표 메뉴(⋮)를 클릭합니다. “ 배포 실행 보기 “를 선택합니다. 배포 실행 목록 보기에는 사이트에 배포된 커밋, 배포 상태, 날짜 및 기간이 표시됩니다. 실행 중 아무 곳이나 클릭하여 배포에 대한 자세한 정보를 확장하고 확인합니다. 로그는 GitHub에서 코드를 가져오는 것부터 대상 디렉터리에 배치하는 것까지 실행된 모든 명령의 레코드를 제공합니다. “ 더 보기 “를 클릭하여 로그 라인을 확장하여 더 많은 정보를 볼 수있습니다. 저장소 연결 해제 사이트에서 GitHub 저장소 연결을 해제하면 앞으로 저장소에 대한 변경 사항이 더 이상 사이트에 영향을 미치지 않습니다. 기본적으로 배포된 파일은 사이트에 남아 있지만 연결 해제 프로세스 중에 제거할 수 있습니다. 저장소를 제거하려면 다음 단계를 따르세요. 사이트 페이지( https://wordpress.com/sites/ )를 방문합니다. 사이트 이름을 클릭하여 사이트 개요를 봅니다. 배포 탭을 클릭합니다. 저장소에서 줄임표 메뉴(⋮)를 클릭합니다. “ 저장소 연결 해제 “를 선택합니다. 대화 상자 창이 나타납니다. 사이트에서 관련 파일을 제거하려면 스위치를 클릭합니다. “ 저장소 연결 해제 “를 클릭하여 대화 상자를 닫고 저장소 연결을 해제합니다. 개발자용 워드프레스닷컴 은 설치된 GitHub 앱 과 인증된 GitHub 앱 에 계속 표시됩니다. 워드프레스닷컴은 여전히 저장소에 접근할 수 있지만, 연결이 삭제되었기 때문입니다. GitHub에서 워드프레스닷컴 연결 해제 GitHub 계정에 대한 워드프레스닷컴의 접근 권한을 취소할 수도 있습니다. 언제든지 GitHub의 애플리케이션 설정 을 방문하여 이를 수행 할 수 있습니다. GitHub 계정에 대한 승인된 앱 접근 권한을 취소하려면 다음 단계를 따르세요. 인증된 GitHub 앱 으로 이동합니다. 개발자용 워드프레스닷컴 옆의 취소 를 클릭합니다. “ 네, 접근 권한을 취소합니다 ” 버튼을 클릭합니다. 인증된 앱 접근 권한을 취소하더라도 선택한 계정에 개발자용 워드프레스닷컴 앱이 설치된 상태로 유지되므로 코드를 배포할 수 있습니다. 워드프레스닷컴 설치 접근 권한을 취소하고 워드프레스닷컴 사이트에 코드를 배포하는 기능을 비활성화하려면 다음 단계를 따르세요. 설치된 GitHub 앱 으로 이동합니다. 개발자용 워드프레스닷컴 옆의 구성 을 클릭합니다. 위험 구역 영역에서 제거 를 클릭한 다음 메시지가 표시되면 확인 을 클릭합니다. 인증된 앱 목록에서 워드프레스닷컴을 제거한다고 해서 저장소가 삭제되거나 작동이 중지되는 것은 아닙니다 . 워드프레스닷컴의 접근 권한을 취소한 후에도 저장소는 GitHub에 계속 존재하지만 워드프레스닷컴에서는 더 이상 코드를 배포할 수 없습니다. 관련 가이드 WP 관리자 알림판 사용 SSH에 연결 추가 SEO 도구 작업 표시줄 이 가이드에서 비디오 튜토리얼 저장소 연결 배포 설정 관리 고급 배포 코드 배포 기존 연결 관리 배포 실행 로그 저장소 연결 해제 GitHub에서 워드프레스닷컴 연결 해제 문의 사항이 있으십니까? AI 도우미에게 물어보기 맨 위로 이동 필요한 내용을 찾을 수 없나요? 문의하기 유료 요금제의 인간 전문가 연중무휴 지원 접근 권한으로 AI 도우미의 답변을 받으세요. 포럼에서 질문하기 질문을 둘러보며 경험이 풍부한 다른 사용자의 답변을 받으세요. Copied to clipboard! WordPress.com 제품 WordPress 호스팅 에이전시용 WordPress 제휴사 되기 도메인 네임 AI 웹사이트 제작 도구 웹사이트 제작 도구 블로그 생성 Professional Email 웹사이트 디자인 서비스 워드프레스 스튜디오 엔터프라이즈 워드프레스 기능 전체 보기 WordPress 테마 WordPress 플러그인 워드프레스 패턴 Google Apps 리소스 워드프레스닷컴 블로그 비즈니스 이름 생성 도구 로고 메이커 WordPress.com 리더 접근성 구독 삭제 도움말 지원 센터 가이드 과정 포럼 연락처 개발자 리소스 회사 정보 프레스 이용 약관 개인 정보 보호 정책 제 개인 정보를 판매하거나 공유하지 마세요 캘리포니아 사용자를 위한 개인 정보 보호 고지 Deutsch Español Français Bahasa Indonesia Italiano Nederlands Português do Brasil Svenska Türkçe Русский العربية עִבְרִית 日本語 한국어 简体中文 繁體中文 English Deutsch Español Français Bahasa Indonesia Italiano Nederlands Português do Brasil Svenska Türkçe Русский العربية עִבְרִית 日本語 한국어 简体中文 繁體中文 English 모바일 앱 다운로드하기 App Store 시작하기 Google Play 소셜 미디어 Facebook의 워드프레스닷컴 워드프레스닷컴 X(Twitter) Instagram의 워드프레스닷컴 YouTube의 워드프레스닷컴 Automattic Automattic WordPress 채용 댓글 로드중... 댓글 달기... 이메일 (필수) 이름 (필수) 웹사이트 지원 가입 로그인 단축 링크 복사 이 콘텐츠 신고하기 구독 관리 | 2026-01-13T09:29:34 |
https://reports.jenkins.io/jelly-taglib-ref.html#form.3Ahetero-radio | Jelly Taglib references – Jenkins Jenkins Taglib Documentation Last Published: 2025-12-08 | Version: 2.528.3 | Homepage / Jelly Taglib references The following Jelly tag libraries are defined in this project. Namespace URI Description /lib/form /lib/form /lib/hudson /lib/hudson /lib/test /lib/test /lib/hudson/project Tag files used in project pages /lib/layout/dropdowns Tag library that defines components for dropdowns /lib/layout/header Tag library that defines components for headers /lib/layout Tag library that defines the basic layouts of Jenkins pages. /lib/hudson/newFromList These tags provide a higher level primitive for building a form page for creating a new item from a list of descriptors.Used in "create new job" page, for an example. /lib/form /lib/form This tag library is also available as an XML Schema Tag Name Description advanced Expandable section that shows "advanced..." button by default. Upon clicking it, a section unfolds, and the HTML rendered by the body of this tag appears. apply "Apply" button that submits the form but without a page transition. See hudson.util.FormApply for the server-side code. When this button is pressed, the FORM element fires the "jenkins:apply" event that allows interested parties to write back whatever states back into the INPUT elements. block Full-width space in the form table that can be filled with arbitrary HTML. booleanRadio Binds a boolean field to two radio buttons that say Yes/No OK/Cancel Top/Bottom. bottomButtonBar Creates a button bar at the bottom of the page for things like "Submit". The actual buttons should be specified as the body of this tag. This area will always be visible at the bottom of the screen. breadcrumb-config-outline Adds one more in-page breadcrumb that jumps to sections in the page. Put this tag right before <l:main-panel> checkbox <input type="checkbox"> tag that takes true/false for @checked, which is more Jelly friendly. class-entry Invisible <f:entry> type for embedding a descriptor's $class field. Most of the time a Descriptor has an unique class name that we can use to instantiate the right Describable class, so we use the '$class' to represent that to clarify the intent. In some other times, such as templates, there are multiple Descriptors with the same Descriptor.clazz but different IDs, and in that case we put 'kind' to indicate that. In this case, to avoid confusing readers we do not put non-unique '$class'. See Descriptor.newInstancesFromHeteroList for how the reader side is handled. combobox Editable drop-down combo box that supports the data binding and AJAX updates. Your descriptor should have the 'doFillXyzItems' method, which returns a ComboBoxModel representation of the items in your combo box, and your instance field should hold the current value. For a read only input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support description Renders a row that shows description text below an input field. descriptorList Generate config pages from a list of Descriptors into a section. descriptorRadioList Generate config pages from a list of Descriptors into a section. dropdownDescriptorSelector Renders a single <select> control for choosing a Describable. Depending on the currently selected value, its config.jelly will be rendered below <select>, allowing the user to configure Describable. dropdownList Foldable block expanded when the corresponding item is selected in the drop-down list. dropdownListBlock Foldable block expanded when the corresponding item is selected in the drop-down list. editableComboBox Editable drop-down combo box. Deprecated as of 1.356. Use f:combobox and databinding instead. editableComboBoxValue Used inside <f:editableComboBox/> to specify one value of a combobox. Normally one would use multiple values. entry An entry of the <f:form>, which is one logical row (that consists of several <TR> tags. One entry normally host one control. enum Binds an enum field to a <select> element. The body of this tag is evaluated for each enum value, which is passed as 'it'. enumSet Binds a set of Enum to a list of checkboxes, each with the label taken from enum Enum.toString() Should be used inside an <f:entry field='...'> element. expandableTextbox A single-line textbox that can be expanded into a multi-line textarea. This control is useful for a field that expects multiple whitespace-separated tokens (such as URLs, glob patterns, etc.) When the user only enters a few tokens, they can keep it as a single line to save space, but to enter a large number of values, this can be turned into textarea for better visibility. If the initial value is already multi-line text, the control starts with textarea. On the server side, your program is responsible for treating ' ', \t, \r, and \n for separators. (StringTokenizer would do this.) file Generates an input field All unknown attributes are passed through to the field. @since 2.385 form Outer-most tag of the entire form taglib, that generates <form> element. helpArea Place holder to lazy-load help text via AJAX. helpLink Outputs a help link for a <f:form> item if help is available or a spacer if none is available. The help link is rendered as a table cell with an (?) icon. If the user clicks it, the content of the HTML fragment at the given URL is rendered in the area designated as <f:helpArea> by the caller, usually in a row beneath the item with help. The alternative spacer is just an empty table cell. This tag was introduced to ensure that the space reserved for help items is consistent over the UI whether or not help exists. @since 1.576 hetero-list Outer most tag for creating a heterogeneous list, where the user can choose arbitrary number of arbitrary items from the given list of descriptors, and configure them independently. The submission can be data-bound into List<T> where T is the common base type for the describable instances. For databinding use, please use <f:repeatableHeteroProperty /> hetero-radio Sibling of hetero-list, which only allows the user to pick one type from the list of descriptors and configure it. invisibleEntry Invisible <f:entry> type. Useful for adding hidden field values. link Generates an anchor element with the ability to send POST requests. @since 1.584 nested number Generates an input field to be used inside <f:entry/> option <option> tag for the <select> element that takes true/false for selected. optionalBlock Foldable block that can be expanded to show more controls by checking the checkbox. optionalProperty Renders inline an optional single-value nested data-bound property of the current instance, by using a <f:optionalBlock> This is useful when your object composes another data-bound object, and when that's optional, where the absence of the value is signified as null (in which case the optionalBlock will be drawn unchecked), and the presence of the value. password Glorified <input type="password"> possibleReadOnlyField prepareDatabinding Modifies the 'attrs.field' of the parent to inherit @field from the enclosing <f:entry> if available. Also computes the @checkUrl attribute. property Renders inline a single-value nested data-bound property of the current instance. This is useful when your object composes another data-bound object as a nested object, yet your UI would still like to render it radio <input type="radio"> tag that takes true/false for @checked, which is more Jelly friendly. Note that Safari doesn't support onchange. Beware that the name attribute should be uniquified among all radio blocks on the page, such as by prefixing it with "G0025." or whatever gensym. For a read only radio input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support radioBlock Radio button with a label that hides additional controls. When checked, those additional controls are displayed. This is useful for presenting mutually exclusive options, where each option comes with a sub-form that provides additional configuration. readOnlyTextbox Generates an input field to be used inside <f:entry/> repeatable Repeatable blocks used to present UI where the user can configure multiple entries of the same kind (see the Java installations configuration in the system config.) This tag works like <j:forEach> and repeatedly evaluate the body so that initially all the items get their own copy. This tag also evaluate the body once more with var=null to create a 'master copy', which is the template entry used when a new copy is inserted. HTML structure This tag mainly produces the nested DIVs with CSS classes as follows: <div class="repeated-container"> // container for the whole thing <div class="repeated-chunk"> ... copy 1 ... <div class="repeated-chunk"> ... copy 2 ... ... The 'repeated-chunk' DIVs will also have additional CSS classes that represent their positions among siblings: first : first chunk among the siblings last : last chunk among the siblings middle: neither first nor last only : it is the only chunk (automatically get first and last at the same time) Usage Note The caller of this tag should define a button to add a new copy and delete the current copy. Such buttons should have 'repeatable-add' CSS class and 'repeatable-delete' CSS class respectively (it can have other CSS classes), so that their event handlers get properly wired up. The positional CSS classes on 'repeated-chunk' DIVs (as explained above) can be used to control the visibility of such buttons. For example, this allows you to hide 'delete' button if there's only one item, or only show 'add' button on the last row. There are a few CSS classes already defined in style.css for this purpose. repeatableDeleteButton Delete button for the <repeatable> tag. repeatableHeteroProperty Data-bound only version of <f:hetero-list> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. repeatableProperty Data-bound only version of <f:repeatable> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. Unless that nested config.jelly already adds a delete button (deprecated), you should normally put the following inside this tag: <f:block> <div align="right"> <f:repeatableDeleteButton /> </div> </f:block> Due to a bug in Stapler data binding the model elements are only set if they consist of one or more values. If all values have been removed in the user interface (i.e. the associated form is empty), then the setter is not invoked anymore. As a workaround, you need to override the corresponding configure method and clear the model property manually before invoking the data binding. See warnings-ng-plugin PR#266. rowSet Adds @nameRef to all table rows inside this tag, so that when the form is submitted, it gets grouped in one JSON object. saveApplyBar Creates the bottom bar for the "Save" and "Apply" buttons. In read only mode (<j:set var="readOnlyMode" value="true"/>) the buttons are not displayed. secretTextarea Enhanced version of <f:textarea/> for editing multi-line secrets. Example usage: <j:jelly xmlns:j="jelly:core" xmlns:f="/lib/form"> <f:entry title="Secret" field="secret"> <f:secretTextarea/> </f:entry> <f:entry title="Secret 2"> <f:secretTextarea field="secret2"/> </f:entry> <f:entry title="Another Secret"> <f:secretTextarea name="foo" value="${it.foo}"/> </f:entry> </j:jelly> section Section header in the form table. select Glorified <select> control that supports the data binding and AJAX updates. Your descriptor should have the 'doFillXyzItems' method, which returns a ListBoxModel representation of the items in your drop-down list box, and your instance field should hold the current value. slave-mode A listbox for choosing the agent's usage. submit Submit button. This should be always used instead of the plain <button> tag. textarea <textarea> tag on steroids. The textarea will be rendered to fit the content. It also gets the resize handle. textbox Generates an input field to be used inside <f:entry/> For a read only input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support toggleSwitch <input type="checkbox"> tag that takes true/false for @checked, which is more Jelly friendly. validateButton See https://www.jenkins.io/doc/developer/forms/jelly-form-controls/ for the reference. withCustomDescriptorByName Execute the body with a temporary currentDescriptorByNameUrl value advanced Expandable section that shows "advanced..." button by default. Upon clicking it, a section unfolds, and the HTML rendered by the body of this tag appears. Attribute Name Type Description title - Caption of the button. By default "Advanced" apply "Apply" button that submits the form but without a page transition. See hudson.util.FormApply for the server-side code. When this button is pressed, the FORM element fires the "jenkins:apply" event that allows interested parties to write back whatever states back into the INPUT elements. Attribute Name Type Description value - The text of the apply button. This tag does not accept any child elements/text. block Full-width space in the form table that can be filled with arbitrary HTML. booleanRadio Binds a boolean field to two radio buttons that say Yes/No OK/Cancel Top/Bottom. Attribute Name Type Description false - Text to be displayed for the 'false' value. Defaults to 'No'. field - Databinding field. true - Text to be displayed for the 'true' value. Defaults to 'Yes'. This tag does not accept any child elements/text. bottomButtonBar Creates a button bar at the bottom of the page for things like "Submit". The actual buttons should be specified as the body of this tag. This area will always be visible at the bottom of the screen. breadcrumb-config-outline Adds one more in-page breadcrumb that jumps to sections in the page. Put this tag right before <l:main-panel> Attribute Name Type Description title - Optional title for this breadcrumb This tag does not accept any child elements/text. checkbox <input type="checkbox"> tag that takes true/false for @checked, which is more Jelly friendly. Attribute Name Type Description checked - class - default - The default value of the checkbox, in case both @checked and @instance are null. If this attribute is unspecified or null, it defaults to unchecked, otherwise checked. description - Optional description for the checkbox field - Used for databinding. TBD. id - json - Normally, the submitted JSON will be boolean indicating whether the checkbox was checked or not. This is sometimes inconvenient if you have a UI that lets user select a subset of a set. If this attribute is present, the submitted JSON will have this as a string value if the checkbox is checked, and none otherwise, making the subset selection easier. name - negative - onclick (deprecated) - Inline JavaScript to execute when the checkbox is clicked. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'class' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. readonly (deprecated) - If set to true, this will take precedence over the onclick attribute and prevent the state of the checkbox from being changed. Note: if you want an actual read only checkbox then add: <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support title - If specified, this human readable text will follow the checkbox, and clicking this text also toggles the checkbox. tooltip - Used as tooltip of the checkbox, and, if a title is specified, of the title value - This tag does not accept any child elements/text. class-entry Invisible <f:entry> type for embedding a descriptor's $class field. Most of the time a Descriptor has an unique class name that we can use to instantiate the right Describable class, so we use the '$class' to represent that to clarify the intent. In some other times, such as templates, there are multiple Descriptors with the same Descriptor.clazz but different IDs, and in that case we put 'kind' to indicate that. In this case, to avoid confusing readers we do not put non-unique '$class'. See Descriptor.newInstancesFromHeteroList for how the reader side is handled. Attribute Name Type Description clazz - The describable class that we are instantiating via structured form submission. descriptor - The descriptor of the describable that we are instantiating via structured form submission. Mutually exclusive with clazz. This tag does not accept any child elements/text. combobox Editable drop-down combo box that supports the data binding and AJAX updates. Your descriptor should have the 'doFillXyzItems' method, which returns a ComboBoxModel representation of the items in your combo box, and your instance field should hold the current value. For a read only input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support Attribute Name Type Description checkMethod String Specify 'get' (must be lowercase) to change the HTTP method used for the AJAX requests to @checkUrl from a POST to a GET. If any other value is specified then requests will use POST. The historical default was GET and 'post' had to be specified to change that, but this was changed in Jenkins 2.285. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS classes that the control gets. default - The default value of the combo box, in case both @value and 'instance field ' are null. field - Used for databinding. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. description Renders a row that shows description text below an input field. descriptorList Generate config pages from a list of Descriptors into a section. Attribute Name Type Description description - Optional attribute to set a description for the section descriptors (required) - hudson.model.Descriptor collection whose configuration page is rendered. field - Either @field or @instances are required (or @field may be inherited from the ancestor <entry> element). If field is specified, instances are assumed to be instance field . When this attribute is specified, JSON structure is properly set up so that the databinding can set the field (or pass this collection as a constructor parameter of the same name. This is more modern way of doing databinding, and thus preferred approach. forceRowSet - If specified, instead of a sequence of <f:optionalBlock>s, draw a sequence of <rowSet>s. icon - Sets the icon on the sidebar item for the section anchor link The icon isn't visible in the section itself instances - Map<Descriptor,Describable> that defines current instances of those descriptors. These are used to fill initial values. Other classes that define the get(Descriptor) method works fine, too, such as DescribableList. targetType - the type for which descriptors will be configured. default to ${it.class} title - Human readable title of the section to be rendered in HTML. descriptorRadioList Generate config pages from a list of Descriptors into a section. Attribute Name Type Description descriptors (required) - hudson.model.Descriptor collection whose configuration page is rendered. instance (required) - The currently configured instance used to fill the initial values of the form. targetType - the type for which descriptors will be configured. default to ${it.class} title (required) - Human readable title of the section to be rendered in HTML. varName (required) - Used as a variable name as well as block name. dropdownDescriptorSelector Renders a single <select> control for choosing a Describable. Depending on the currently selected value, its config.jelly will be rendered below <select>, allowing the user to configure Describable. Attribute Name Type Description capture - Config fragments from descriptors are rendered lazily by default, which means variables seen in the caller aren't visible to them. This attribute allows you to nominate additional variables and their values to be captured for descriptors. default - If specified, this will be chosen as the default value in case the current selection is null. The default can be a specific instance or a descriptor e.g. ${descriptor.defaultSettingsProvider} or ${descriptor.defaultSettingsProvider.descriptor}. In the later case, the from input fields will be empty. descriptors - Collection that lists up all the valid candidate descriptors. If unspecified, inferred from the type of the field. field (required) - Form field name. Used for databinding. title (required) - Human readable title of this control. dropdownList Foldable block expanded when the corresponding item is selected in the drop-down list. Attribute Name Type Description help - Path to the inline help. See <f:entry help="..." /> name (required) - name of the drop-down list. title - Human readable title text of this drop-down listbox. Shown in the same position as <f:entry title="..." /> dropdownListBlock Foldable block expanded when the corresponding item is selected in the drop-down list. Attribute Name Type Description lazy - If specified, the content of the dropdownListBlock will be rendered lazily when it first becomes visible. The attribute value must be the variables to be captured. See the @capture of <renderOnDemand> tag. selected boolean is this value initially selected? staplerClass - provide hint for stapler data binding. typically set to ${descriptor.clazz.name} if dropdownList is for a list of descriptors. title (required) - human readable text displayed for this list item. value (required) - value of the list item. set to <option value="..."> editableComboBox Editable drop-down combo box. Deprecated as of 1.356. Use f:combobox and databinding instead. Attribute Name Type Description clazz - Additional CSS classes that the control gets. field - Used for databinding. items - List of possible values. Either this or nested <f:editableComboBoxValue/>s are required. editableComboBoxValue Used inside <f:editableComboBox/> to specify one value of a combobox. Normally one would use multiple values. Attribute Name Type Description value (required) - This tag does not accept any child elements/text. entry An entry of the <f:form>, which is one logical row (that consists of several <TR> tags. One entry normally host one control. Attribute Name Type Description class - Classes to apply to the form item description - If it's not obvious to the user as to what the control expects, specify some description text (which currently gets rendered as small text under the control, but that may change.) This text shouldn't get too long, and in recent Hudson, this feature is somewhat de-emphasized, in favor of the inline foldable help page specified via @help. This content is HTML (unless the boolean variable escapeEntryTitleAndDescription is set). Use h.escape if necessary. field - Used for the databinding. TBD. When this attribute is specified, @help is inferred, and nested input controls don't need the @field nor @name. help - URL to the HTML page. When this attribute is specified, the entry gets a (?) icon on the right, and if the user clicks it, the contents of the given URL is rendered as a box below the entry. The URL should return an HTML document wrapped in a <div> tag. The URL is interpreted to be rooted at the context path of Hudson, so it's normally something like "/plugin/foobar/help/abc.html". title - Name of the entry. Think of this like a label for the control. This content is HTML (unless the boolean variable escapeEntryTitleAndDescription is set). Use h.escape if necessary. enum Binds an enum field to a <select> element. The body of this tag is evaluated for each enum value, which is passed as 'it'. Attribute Name Type Description default - The name of the enum to set as default value for the first configuration. field - Used for databinding. TBD. enumSet Binds a set of Enum to a list of checkboxes, each with the label taken from enum Enum.toString() Should be used inside an <f:entry field='...'> element. Attribute Name Type Description field - Used for databinding. This tag does not accept any child elements/text. expandableTextbox A single-line textbox that can be expanded into a multi-line textarea. This control is useful for a field that expects multiple whitespace-separated tokens (such as URLs, glob patterns, etc.) When the user only enters a few tokens, they can keep it as a single line to save space, but to enter a large number of values, this can be turned into textarea for better visibility. If the initial value is already multi-line text, the control starts with textarea. On the server side, your program is responsible for treating ' ', \t, \r, and \n for separators. (StringTokenizer would do this.) Attribute Name Type Description field - Used for databinding. TBD. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. file Generates an input field All unknown attributes are passed through to the field. @since 2.385 Attribute Name Type Description accept - Defines the file types the file input should accept. This string is a comma-separated list. clazz - Additional CSS class(es) to add. field - Used for databinding. jsonAware - Enable structured form submission. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. This tag does not accept any child elements/text. form Outer-most tag of the entire form taglib, that generates <form> element. Attribute Name Type Description action (required) - @action of the form field. The URL where the submission is sent. autocomplete - Optional attribute for allowing browsers to perform auto complete or pre-fill the form from history. Default: false class - Classes to apply to the form enctype - @enctype of the <form> HTML element. id - ID of the form. method (required) - Submission method. Either post or get. name (required) - @name of the form. In HTML this is not a mandatory attribute, but in Hudson you should have it for testing and page scraping, so this attribute is marked required. tableClass - Optional class attribute for <table> that is created in the form. target - @target of the <form> HTML element. Works like <a target="..."> and controls which window the result of the submission goes to. helpArea Place holder to lazy-load help text via AJAX. This tag does not accept any child elements/text. helpLink Outputs a help link for a <f:form> item if help is available or a spacer if none is available. The help link is rendered as a table cell with an (?) icon. If the user clicks it, the content of the HTML fragment at the given URL is rendered in the area designated as <f:helpArea> by the caller, usually in a row beneath the item with help. The alternative spacer is just an empty table cell. This tag was introduced to ensure that the space reserved for help items is consistent over the UI whether or not help exists. @since 1.576 Attribute Name Type Description featureName - Name of the feature described by the help text, used for constructing the icon's alt attribute. Optional. url - URL to the HTML page. Optional. If not given, no help icon is displayed. The URL should return a UTF-8 encoded HTML fragment wrapped in a <div> tag. The URL is interpreted to be rooted at the context path of Jenkins, so it's normally something like "/plugin/foobar/help/abc.html". This tag does not accept any child elements/text. hetero-list Outer most tag for creating a heterogeneous list, where the user can choose arbitrary number of arbitrary items from the given list of descriptors, and configure them independently. The submission can be data-bound into List<T> where T is the common base type for the describable instances. For databinding use, please use <f:repeatableHeteroProperty /> Attribute Name Type Description addCaption - caption of the 'add' button. capture - Config fragments from descriptors are rendered lazily by default, which means variables seen in the caller aren't visible to them. This attribute allows you to nominate additional variables and their values to be captured for descriptors. deleteCaption - caption of the 'delete' button. descriptors (required) - all types that the user can add. disableDragAndDrop java.lang.Boolean If true the drag and drop will not be activated. This just removes the drag and drop UI, it will not prevent users from manually submitting a different order. hasHeader - For each item, add a caption from descriptor.getDisplayName(). This also activates drag&drop (where the header is a grip), and help text support. honorOrder - If true, insert new addition by default to their 'desired' location, which is the order induced by the descriptors. items (required) java.util.Collection existing items to be displayed. Something iterable, such as array or collection. menuAlign - Menu alignment against the button. Defaults to tl-bl name (required) - form name that receives an array for all the items in the heterogeneous list. oneEach - If true, only allow up to one instance per descriptor. targetType - the type for which descriptors will be configured. Defaults to ${it.class} (optional) titleClassMethod - If set to an item of the form , it will be used to call to calculate each item title. hetero-radio Sibling of hetero-list, which only allows the user to pick one type from the list of descriptors and configure it. Attribute Name Type Description descriptors (required) - all types that the user can add. field (required) - Field name in the parent object where databinding happens. This tag does not accept any child elements/text. invisibleEntry Invisible <f:entry> type. Useful for adding hidden field values. link Generates an anchor element with the ability to send POST requests. @since 1.584 Attribute Name Type Description clazz - Additional CSS classes. href - Link destination URL. post - If this must send a POST request. nested number Generates an input field to be used inside <f:entry/> Attribute Name Type Description checkMessage - Override the default error message when client-side validation fails, as with clazz="required", etc. checkMethod String Specify 'get' (must be lowercase) to change the HTTP method used for the AJAX requests to @checkUrl from a POST to a GET. If any other value is specified then requests will use POST. The historical default was GET and 'post' had to be specified to change that, but this was changed in Jenkins 2.285. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS class(es) to add (such as client-side validation clazz="required", "number" or "positive-number"; these may be combined, as clazz="required number"). default - The default value of the text box, in case both @value is and 'instance field ' is null. field java.lang.String Used for databinding. TBD. max - The maximum of the @value. This becomes the @max of the <input> tag. This will work only @clazz is 'number', 'number-required', 'non-negative-number-required', 'positive-number', 'positive-number-required'. If specified, the @value should be less than this value, or errors will be rendered under the text field. If this value contains non-digit characters, it will not work. If @min is specified and @min is greater than this value, both @min and @max will not work. min - The minimum of the @value. This becomes the @min of the <input> tag. This will work only @clazz is 'number', 'number-required', 'non-negative-number-required', 'positive-number', 'positive-number-required'. If specified, the @value should be greater than this value, or errors will be rendered under the text field. If this value contains non-digit characters, it will not work. If @max is specified and @max is less than this value, both @min and @max will not work. name java.lang.String This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. option <option> tag for the <select> element that takes true/false for selected. Attribute Name Type Description selected boolean If true, the option value appears as selected. value - The value to be sent when the form is submitted. If omitted, the body of the tag will be placed in the value attribute as well (due to the browser incompatibility between IE and Firefox, value attribute must be included). optionalBlock Foldable block that can be expanded to show more controls by checking the checkbox. Attribute Name Type Description checked - initial checkbox status. true/false. field - Used for databinding. TBD. Either this or @name/@title combo is required. help - If present, the (?) icon will be rendered on the right to show inline help. See @help for <f:entry>. inline - if present, the foldable section will not be grouped into a separate JSON object upon submission name - Name of the checkbox. Can be used by the server to determine if the block is collapsed or expanded at the time of submission. Note that when the block is collapsed, none of its child controls will send the values to the server (unlike <f:advanced>) negative - if present, the foldable section expands when the checkbox is unchecked. title - Human readable text that follows the checkbox. If this field is null, the checkbox degrades to a <f:rowSet>, which provides a grouping at JSON level but on the UI there's no checkbox (and you always see the body of it.) optionalProperty Renders inline an optional single-value nested data-bound property of the current instance, by using a <f:optionalBlock> This is useful when your object composes another data-bound object, and when that's optional, where the absence of the value is signified as null (in which case the optionalBlock will be drawn unchecked), and the presence of the value. Attribute Name Type Description field (required) - help - title (required) - This tag does not accept any child elements/text. password Glorified <input type="password"> Attribute Name Type Description checkMessage - Override the default error message when client-side validation fails, as with clazz="required", etc. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS class(es) to add (such as client-side validation clazz="required", "number" or "positive-number"; these may be combined, as clazz="required number"). field - Used for databinding. TBD. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. possibleReadOnlyField prepareDatabinding Modifies the 'attrs.field' of the parent to inherit @field from the enclosing <f:entry> if available. Also computes the @checkUrl attribute. This tag does not accept any child elements/text. property Renders inline a single-value nested data-bound property of the current instance. This is useful when your object composes another data-bound object as a nested object, yet your UI would still like to render it Attribute Name Type Description field (required) - propertyDescriptor - If specified, bypass the item descriptor inference and use this instead. This tag does not accept any child elements/text. radio <input type="radio"> tag that takes true/false for @checked, which is more Jelly friendly. Note that Safari doesn't support onchange. Beware that the name attribute should be uniquified among all radio blocks on the page, such as by prefixing it with "G0025." or whatever gensym. For a read only radio input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support Attribute Name Type Description checked - id - name - onclick (deprecated) - Inline JavaScript to execute when the checkbox is clicked. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'class' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. title - If specified, this human readable text will follow the radio, and clicking this text also toggles the radio. value - radioBlock Radio button with a label that hides additional controls. When checked, those additional controls are displayed. This is useful for presenting mutually exclusive options, where each option comes with a sub-form that provides additional configuration. Attribute Name Type Description checked (required) boolean Should this control be initially checked or not? help - If specified, the (?) help icon will be rendered on the right, for in place help text. See <f:entry> for the details. inline - if present, the folded section will not be grouped into a separate JSON object upon submission. name (required) - Name of the radio button group. Radio buttons that are mutually exclusive need to have the same name. title (required) - Human readable label text to be rendered next to the radio button. value (required) - @value of the <input> element. readOnlyTextbox Generates an input field to be used inside <f:entry/> Attribute Name Type Description checkMessage - Override the default error message when client-side validation fails, as with clazz="required", etc. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS class(es) to add (such as client-side validation clazz="required", "number" or "positive-number"; these may be combined, as clazz="required number"). default - The default value of the text box, in case both @value is and 'instance field ' is null. field - Used for databinding. TBD. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. onchange (deprecated) - Inline JavaScript to execute when the textbox is changed. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'clazz' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. onkeyup (deprecated) - Inline JavaScript to execute when the keyup event is fired. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'clazz' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. repeatable Repeatable blocks used to present UI where the user can configure multiple entries of the same kind (see the Java installations configuration in the system config.) This tag works like <j:forEach> and repeatedly evaluate the body so that initially all the items get their own copy. This tag also evaluate the body once more with var=null to create a 'master copy', which is the template entry used when a new copy is inserted. HTML structure This tag mainly produces the nested DIVs with CSS classes as follows: <div class="repeated-container"> // container for the whole thing <div class="repeated-chunk"> ... copy 1 ... <div class="repeated-chunk"> ... copy 2 ... ... The 'repeated-chunk' DIVs will also have additional CSS classes that represent their positions among siblings: first : first chunk among the siblings last : last chunk among the siblings middle: neither first nor last only : it is the only chunk (automatically get first and last at the same time) Usage Note The caller of this tag should define a button to add a new copy and delete the current copy. Such buttons should have 'repeatable-add' CSS class and 'repeatable-delete' CSS class respectively (it can have other CSS classes), so that their event handlers get properly wired up. The positional CSS classes on 'repeated-chunk' DIVs (as explained above) can be used to control the visibility of such buttons. For example, this allows you to hide 'delete' button if there's only one item, or only show 'add' button on the last row. There are a few CSS classes already defined in style.css for this purpose. Attribute Name Type Description add - If specified, this text will replace the standard "Add" text. default - Use this collection for items if items or @field is null enableTopButton - true if a new Add button, for adding new copy of repeatable item, should be displayed above repeatable form. Display of top button depends also on number of items. If there is no item, only one button is displayed. When at least one item is present, there are two buttons displayed (only when enableTopButton is true). One above and one below. Top button adds item on top of repeatable form. Bottom button adds item on the bottom of repeatable form. field - Used for the data binding. header - For each item, add this header. This also activates drag&drop (where the header is a grip). items - The item collection to loop over. Required unless @field is given. minimum - At least provide this number of copies initially. minimum="1" is useful to make sure there's always at least one entry for the user to fill in. name - name used in the structured form submission. Defaults to the same name as @var. noAddButton - true if the default 'add' button (that adds a new copy) shouldn't be displayed. When you use this attribute, var - variable that receives the item of the current iteration. Accessible from the body. Required unless @field is given. varStatus - Status variable that indicates the loop status. repeatableDeleteButton Delete button for the <repeatable> tag. Attribute Name Type Description value - Caption of the button. Defaults to 'Delete'. This tag does not accept any child elements/text. repeatableHeteroProperty Data-bound only version of <f:hetero-list> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. Attribute Name Type Description addCaption - caption of the 'add' button. capture - Config fragments from descriptors are rendered lazily by default, which means variables seen in the caller aren't visible to them. This attribute allows you to nominate additional variables and their values to be captured for descriptors. deleteCaption - caption of the 'delete' button. field - Used for the data binding. hasHeader - For each item, add a caption from descriptor.getDisplayName(). This also activates drag&drop (where the header is a grip), and help text support. honorOrder - If true, insert new addition by default to their 'desired' location, which is the order induced by the descriptors. menuAlign - Menu alignment against the button. Defaults to tl-bl oneEach - If true, only allow up to one instance per descriptor. targetType - the type for which descriptors will be configured. Defaults to ${it.class} (optional) This tag does not accept any child elements/text. repeatableProperty Data-bound only version of <f:repeatable> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. Unless that nested config.jelly already adds a delete button (deprecated), you should normally put the following inside this tag: <f:block> <div align="right"> <f:repeatableDeleteButton /> </div> </f:block> Due to a bug in Stapler data binding the model elements are only set if they consist of one or more values. If all values have been removed in the user interface (i.e. the associated form is empty), then the setter is not invoked anymore. As a workaround, you need to override the corresponding configure method and clear the model property manually before invoking the data binding. See warnings-ng-plugin PR#266. Attribute Name Type Description add - If specified, this text will replace the standard "Add" text. default - The default value to use for this collection when 'instance field ' is null. enableTopButton - true if a new Add button, for adding new copy of repeatable item, should be displayed above repeatable form. Display of top button depends also on number of items. If there is no item, only one button is displayed. When at least one item is present, there are two buttons displayed (only when enableTopButton is true). One above and one below. Top button adds item on top of repeatable form. Bottom button adds item on the bottom of repeatable form. field - Used for the data binding. header - For each item, add this header. This also activates drag&drop (where the header is a grip). minimum - At least provide this number of copies initially. minimum="1" is useful to make sure there's always at least one entry for the user to fill in. noAddButton - true if the default 'add' button (that adds a new copy) shouldn't be displayed. When you use this attribute, rowSet Adds @nameRef to all table rows inside this tag, so that when the form is submitted, it gets grouped in one JSON object. Attribute Name Type Description name - if the group head is not available outside, use this attribute to specify the name. @name and @ref are mutually exclusive. ref - id of the thing that serves as the group head, if that's available separately saveApplyBar Creates the bottom bar for the "Save" and "Apply" buttons. In read only mode (<j:set var="readOnlyMode" value="true"/>) the buttons are not displayed. This tag does not accept any child elements/text. secretTextarea Enhanced version of <f:textarea/> for editing multi-line secrets. Example usage: <j:jelly xmlns:j="jelly:core" xmlns:f="/lib/form"> <f:entry title="Secret" field="secret"> <f:secretTextarea/> </f:entry> <f:entry title="Secret 2"> <f:secretTextarea field="secret2"/> </f:entry> <f:entry title="Another Secret"> <f:secretTextarea name="foo" value="${it.foo}"/> </f:entry> </j:jelly> Attribute Name Type Description checkMethod String Specify 'get' (must be lowercase) to change the HTTP method used for the AJAX requests to @checkUrl from a POST to a GET. If any other value is specified then requests will use POST. The historical default was GET and 'post' had to be specified to change that, but this was changed in Jenkins 2.285. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the r | 2026-01-13T09:29:34 |
https://wordpress.com/fr/support/deploiements-github/ | Utiliser des déploiements GitHub sur WordPress.com – Assistance WordPress.com Produits Fonctionnalités Ressources Plans et tarifs Connexion Commencer Menu Hébergement WordPress WordPress pour les agences Devenir un affilié Noms de domaines Créateur de site Web IA Créateur de site Web Créer un blog Newsletter Adresse E-mail Pro Services de design de site Web Commerce WordPress Studio WordPress en Enterprise Vue d’ensemble Thèmes WordPress Extensions WordPress Compositions WordPress Applications Google Centre d’assistance Nouvelles de WordPress Générateur de nom d’entreprise Créateur de logo Nouvelles publications Étiquettes populaires Recherche de blogs Fermer le menu de navigation Commencer S’inscrire Connexion À propos Plans et tarifs Produits Hébergement WordPress WordPress pour les agences Devenir un affilié Noms de domaines Créateur de site Web IA Créateur de site Web Créer un blog Newsletter Adresse E-mail Pro Services de design de site Web Commerce WordPress Studio WordPress en Enterprise Fonctionnalités Vue d’ensemble Thèmes WordPress Extensions WordPress Compositions WordPress Applications Google Ressources Centre d’assistance Nouvelles de WordPress Générateur de nom d’entreprise Créateur de logo Nouvelles publications Étiquettes populaires Recherche de blogs Application Jetpack En savoir plus Centre d’assistance Guides Cours Forums Contact Recherche Centre d’assistance / Guides Centre d’assistance Guides Cours Forums Contact Guides / Outils / Utiliser des déploiements GitHub sur WordPress.com Utiliser des déploiements GitHub sur WordPress.com GitHub Deployments intègre vos dépôts GitHub directement à votre site WordPress.com, ce qui vous permet d’utiliser un flux de travail automatisé et contrôlé par les versions pour déployer des extensions, des thèmes ou des modifications complètes du site. Ce guide décrit le processus de configuration et explique comment gérer vos dépôts connectés. Cette fonctionnalité est disponible pour les sites utilisant les plans WordPress.com Business et Commerce . Si vous avez un plan Business, assurez-vous de l’activer . Les sites gratuits et les sites utilisant les plans Personnel et Premium doivent mettre à niveau leur plan pour avoir accès à cette fonctionnalité. Dans ce guide Didacticiel vidéo Connecter un dépôt Gérer les réglages de déploiement Déploiement avancé Déployer votre code Gérer les connexions existantes Journaux d’exécution de déploiement Déconnecter un dépôt Déconnecter WordPress.com de GitHub Avez-vous une question ? Interroger notre Assistant IA Haut de page Didacticiel vidéo Cette vidéo est en anglais. YouTube propose des fonctions de traduction automatique pour que vous puissiez la visionner dans votre langue : Pour afficher les sous-titres automatiques : Lancez la vidéo. Cliquez sur ⚙️ Paramètres (en bas à droite de la vidéo). Sélectionnez Sous-titres/CC . Choisissez Traduire automatiquement . Sélectionnez votre langue. Pour écouter avec le doublage automatique (expérimental) : Cliquez sur ⚙️ Paramètres . Sélectionnez Piste audio . Sélectionnez la langue dans laquelle vous souhaitez écouter la vidéo. ℹ️ Les traductions et doublages sont générés par Google, peuvent comporter des imprécisions et ne sont pas encore disponibles pour toutes les langues. Connecter un dépôt Avant de pouvoir déployer un dépôt GitHub sur votre site WordPress.com, vous devez configurer la connexion entre les deux à l’aide des étapes suivantes : Visitez votre page Sites : https://wordpress.com/sites Cliquez sur le nom de votre site pour voir l’aperçu du site. Cliquez sur l’onglet Déploiements . Cliquez sur le bouton « Connecter le dépôt ». Ensuite, si vos dépôts sont listés, vous avez déjà connecté votre compte GitHub. Passer à l’étape 11. Cliquez sur le bouton « Installer l’applicationWordPress.com ». Une nouvelle fenêtre s’ouvre et vous êtes invité à vous connecter à votre compte GitHub si ce n’est déjà fait. Ensuite, vous voyez cet écran : Cliquez sur le bouton « Autoriser WordPress.com pour les développeurs ». Sélectionnez l’organisation ou le compte GitHub contenant votre dépôt. Sélectionnez le ou les dépôts que vous souhaitez connecter : Tous les dépôts : si vous sélectionnez cette option, WordPress.com aura accès à tous les dépôts actuels et futurs appartenant au compte GitHub sélectionné. Cela inclut les dépôts publics en lecture seule. Sélectionner uniquement les dépôts : sélectionner cette option vous permettra de choisir les dépôts auxquels WordPress.com peut accéder sur le compte GitHub sélectionné. Après avoir sélectionné une option, cliquez sur le bouton Installer . La nouvelle fenêtre se fermera et vous serez redirigé vers WordPress.com. Le ou les dépôts sélectionnés doivent être listés avec le compte GitHub associé à ce dépôt : Cliquez sur Sélectionner en regard du dépôt à connecter. À ce stade, vous devriez voir WordPress.com pour les développeurs sous vos applications GitHub autorisées et les applications GitHub installées . Gérer les réglages de déploiement Une fois que vous aurez sélectionné un dépôt, vous devrez ajuster les réglages de déploiement : Branche de déploiement : par défaut, la branche par défaut du dépôt (généralement, la branche principale ) peut être remplacée par la branche que vous souhaitez utiliser. Répertoire de destination : dossier du serveur où vous souhaitez déployer les fichiers. Pour les extensions, il s’agira de /wp-content/plugins/my-plugin-name . Pour les thèmes, il s’agira de /wp-content/themes/my-theme-name . Pour un déploiement partiel du site (c.-à-d. plusieurs extensions ou thèmes), vous pouvez utiliser /wp-content . Le contenu d’un dépôt sera fusionné avec le contenu existant du site WordPress dans le répertoire spécifié. Déploiements automatiques : il existe deux façons de déployer sur WordPress.com : Automatique : une fois le code validé, il sera déployé sur votre site WordPress.com. Les déploiements automatiques sont recommandés pour les sites de préproduction. Manuel : le code sera déployé une fois que vous aurez demandé un déploiement . Les déploiements manuels sont recommandés pour les sites de production. Mode de déploiement : il existe deux types de déploiement : Simple : ce mode copie tous les fichiers d’une branche du dépôt vers le site et les déploie sans post-traitement. Avancé : ce mode vous permet d’utiliser un script de flux de travail, ce qui active des étapes de construction personnalisées, telles que l’installation des dépendances de Composer, la réalisation de tests de code avant déploiement et le contrôle du déploiement de fichiers. Idéal pour les dépôts qui nécessitent le logiciel Composer ou Node. Voir Déploiement avancé ci-dessous pour plus d’informations . Une fois tous les réglages configurés, cliquez sur le bouton Connecter . Votre dépôt sera ajouté : Notez que vous devez déclencher le premier déploiement, automatiquement ou manuellement . Vous pouvez ensuite connecter un autre dépôt à tout moment en cliquant sur le bouton « Connecter le dépôt ». Déploiement avancé Avec le déploiement avancé, vous pouvez fournir un script de flux de travail pour traiter les fichiers dans votre dépôt avant le déploiement. Cela ouvre de nombreuses possibilités, comme vérifier votre code pour s’assurer qu’il répond aux normes de codage de votre équipe, exécuter des tests unitaires, exclure des fichiers du déploiement, installer des dépendances, et bien plus encore. Pour commencer, consultez nos recettes de flux de travail . Pour configurer le déploiement avancé : Un formulaire s’affiche pour configurer le déploiement. Cliquez sur le nom du dépôt pour gérer la connexion. Sur le côté droit, sous « Choisir votre mode de déploiement », choisissez Avancé . Si le dépôt contient déjà un fichier de flux de travail, vous pouvez le sélectionner ici. Le système vérifie le fichier pour détecter d’éventuelles erreurs. Si aucune erreur n’est détectée, passez à l’étape 7. Vous pouvez également sélectionner l’option « Créer un flux de travail » pour ajouter un fichier de flux de travail préconfiguré. Choisir cette option écrase le fichier de flux de travail wpcom.yml s’il existe déjà dans votre dépôt. Cliquez sur le bouton « Installer le flux de travail pour moi » pour valider le fichier de flux de travail dans le dépôt. Une fois qu’un flux de travail a été ajouté et vérifié, cliquez sur Mettre à jour . Votre dépôt va maintenant utiliser le déploiement avancé. Déployer votre code Après avoir connecté votre dépôt GitHub à un site, l’étape suivante consiste à déployer votre code. Deux méthodes de déploiement sont disponibles : Automatique et Manuel . Les déploiements automatiques ne sont pas recommandés pour les sites de production en direct, car toute modification de code dans le dépôt est automatiquement déployée de GitHub vers le site en direct. Pensez plutôt à configurer un déploiement automatique sur un site de préproduction et à le synchroniser avec la production une fois que vous serez prêt(e). Les déploiements manuels vous donnent plus de contrôle sur le moment où les modifications de votre code sont transmises en direct, car vous devez déclencher manuellement chaque déploiement. Nous recommandons les déploiements manuels si vous ne souhaitez pas utiliser de site de préproduction. Pour déclencher le déploiement manuel : Visitez votre page Sites : https://wordpress.com/sites Cliquez sur le nom de votre site pour voir l’aperçu du site. Cliquez sur l’onglet Déploiements . Cliquez sur le menu à trois points (⋮) sur le dépôt que vous souhaitez déployer. Cliquez sur « Déclencher le déploiement manuel ». Vous devriez voir une bannière de notification indiquant « Exécution du déploiement créée » et l’état du déploiement passe à « En file d’attente ». Attendez la fin du déploiement (l’état passe à « Déployé »). Cliquez à nouveau sur le menu à trois points (⋮) et choisissez « Voir les exécutions de déploiement ». Le journal d’exécution de déploiement affiche l’auteur et la validation déployée. Si vous cliquez sur l’entrée de l’exécution de déploiement, des informations supplémentaires s’affichent. Gérer les connexions existantes Pour gérer vos connexions existantes au dépôt GitHub : Visitez votre page Sites : https://wordpress.com/sites Cliquez sur le nom de votre site pour voir l’aperçu du site. Cliquez sur l’onglet Déploiements . Vous devriez alors voir la liste des connexions. La liste des connexions s’affiche s’il existe au moins une connexion entre un dépôt GitHub et votre site. La liste comprend des informations pertinentes pour chaque connexion, telles que le nom et la branche du dépôt, la dernière validation déployée sur un site, le moment où elle s’est produite, où le code a été placé, la durée du déploiement et son état. D’autres actions sont disponibles après un clic sur le menu à trois points (⋮) : Déclencher un déploiement manuel : commence l’exécution d’un déploiement lors de la dernière validation de la branche configurée. Voir les exécutions de déploiement : ouvre la vue des journaux d’exécution de déploiement pour le dépôt connecté. Configurer la connexion : ouvre la vue Gérer la connexion du dépôt. Déconnecter le dépôt : Supprime la connexion entre le dépôt et le site. Journaux d’exécution de déploiement Les journaux d’exécution de déploiement fournissent un enregistrement détaillé et étape par étape de chaque déploiement, qu’il soit déclenché automatiquement ou manuellement. Ces journaux vous permettent de suivre les modifications, de surveiller l’état du déploiement et de résoudre les problèmes qui surviennent. Grâce à l’accès aux journaux des 10 dernières exécutions dans les 30 jours, vous pouvez facilement examiner ce qui s’est passé pendant chaque déploiement et vous assurer que tout se passe bien. Pour vérifier les journaux d’un déploiement : Visitez votre page Sites : https://wordpress.com/sites Cliquez sur le nom de votre site pour voir l’aperçu du site. Cliquez sur l’onglet Déploiements . Cliquez sur le menu à trois points (⋮) en regard du dépôt pour lequel vous souhaitez afficher les journaux. Sélectionnez « Voir les exécutions de déploiement ». La vue en liste Exécutions de déploiement affiche les validations qui ont été déployées sur le site, l’état, la date et la durée du déploiement. Cliquez n’importe où sur une exécution pour développer et afficher des informations supplémentaires sur le déploiement. Les journaux fournissent un enregistrement de toutes les commandes exécutées, de l’extraction du code de GitHub à son placement dans le répertoire cible. Vous pouvez développer les lignes de journal pour voir plus d’informations en cliquant sur « Afficher plus ». Déconnecter un dépôt Lorsque vous déconnectez un dépôt GitHub de votre site, toute modification future apportée au dépôt n’a plus d’impact sur votre site. Par défaut, les fichiers déployés restent sur votre site, mais vous avez la possibilité de les supprimer pendant le processus de déconnexion. Pour supprimer un dépôt : Visitez votre page Sites : https://wordpress.com/sites Cliquez sur le nom de votre site pour voir l’aperçu du site. Cliquez sur l’onglet Déploiements . Cliquez sur le menu à trois points (⋮) dans le dépôt. Sélectionnez « Déconnecter le dépôt ». Une fenêtre de dialogue s’affiche. Cliquez sur le commutateur pour supprimer les fichiers associés du site. Cliquez sur « Déconnecter le dépôt » pour fermer la boîte de dialogue et déconnecter le dépôt. Notez que WordPress.com pour les développeurs apparaîtra toujours dans vos applications GitHub installées et vos applications GitHub autorisées . En effet, WordPress.com a toujours accès au dépôt, mais la connexion a été supprimée. Déconnecter WordPress.com de GitHub Vous pouvez également choisir de révoquer l’accès de WordPress.com à votre compte GitHub. Vous pouvez le faire à tout moment en accédant à vos réglages Applications sur GitHub. Pour révoquer l’accès autorisé de l’application à votre compte GitHub : Accédez à Applications GitHub autorisées . Cliquez sur Révoquer en regard de WordPress.com pour les développeurs . Cliquez sur le bouton « Je comprends, révoquer l’accès ». Même si vous révoquez l’accès autorisé à l’application, le code peut toujours être déployé, car l’application WordPress.com pour les développeurs reste installée sur les comptes sélectionnés. Pour révoquer l’accès à l’installation WordPress.com et désactiver la possibilité de déployer du code sur votre site WordPress.com : Accédez à Applications GitHub installées . Cliquez sur Configurer en regard de WordPress.com pour les développeurs . Dans la zone Zone de danger , cliquez sur Désinstaller , puis sur OK lorsque vous y serez invité. Retirer WordPress.com de la liste des applications autorisées ne signifie pas que les dépôts seront supprimés ou cesseront de fonctionner. Vos dépôts existeront toujours sur GitHub après que vous aurez révoqué l’accès de WordPress.com, mais WordPress.com ne pourra plus déployer de code. Guides similaires Se connecter au service SSH 5 min de lecture Pour activer le mode défensif : 2 min de lecture Accéder à la base de données de votre site 4 min de lecture Dans ce guide Didacticiel vidéo Connecter un dépôt Gérer les réglages de déploiement Déploiement avancé Déployer votre code Gérer les connexions existantes Journaux d’exécution de déploiement Déconnecter un dépôt Déconnecter WordPress.com de GitHub Avez-vous une question ? Interroger notre Assistant IA Haut de page Vous n’avez pas trouvé ce dont vous avez besoin ? Contactez-nous Obtenez les réponses de notre Assistant IA, avec un accès à une assistance humaine experte 24 heures / 24, 7 jours / 7 pour les plans payants. Poser une question sur notre forum Parcourez les questions et obtenez des réponses auprès d’autres utilisateurs expérimentés. Copied to clipboard! WordPress.com Produits Hébergement WordPress WordPress pour les agences Devenir un affilié Noms de domaines Créateur de site Web IA Créateur de site Web Créer un blog Adresse E-mail Pro Services de design de site Web WordPress Studio WordPress en Enterprise Fonctionnalités Vue d’ensemble Thèmes WordPress Extensions WordPress Compositions WordPress Applications Google Ressources WordPress.com Blog Générateur de nom d’entreprise Créateur de logo Lecteur WordPress.com Accessibilité Supprimer les abonnements Aide Centre d’assistance Guides Cours Forums Contact Ressources pour Développeurs Société À propos Presse Conditions d’utilisation Politique de confidentialité Ne pas vendre ni partager mes informations personnelles Message de confidentialité pour les utilisateurs en Californie Deutsch Español Français Bahasa Indonesia Italiano Nederlands Português do Brasil Svenska Türkçe Русский العربية עִבְרִית 日本語 한국어 简体中文 繁體中文 English Deutsch Español Français Bahasa Indonesia Italiano Nederlands Português do Brasil Svenska Türkçe Русский العربية עִבְרִית 日本語 한국어 简体中文 繁體中文 English Applications mobiles Télécharger sur App Store Pour l'obtenir : Google Play Réseau social WordPress.com sur Facebook WordPress.com sur X (Twitter) WordPress.com sur Instagram WordPress.com sur YouTube Automattic Automattic Rejoignez-nous Chargement des commentaires… Écrire un commentaire... E-mail Nom Site web Assistance WordPress.com S’inscrire Connexion Copier lien court Signaler ce contenu Gérer les abonnements | 2026-01-13T09:29:34 |
https://vi-vn.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT2sNMHYzitoPSEfJsXkqvloqRUxIJIopp28rQfaItrhz2aN24BUXCxLByo7RN0rtEGnzmfDjJvzUhkboKt6Otzh5ksbYAnTsKOxnBOv_JCKZKKQjl3T5Sp4HoTs5V-POj4uS0aXV3zLAErg | Facebook Facebook Email hoặc điện thoại Mật khẩu Bạn quên tài khoản ư? Tạo tài khoản mới Bạn tạm thời bị chặn Bạn tạm thời bị chặn Có vẻ như bạn đang dùng nhầm tính năng này do sử dụng quá nhanh. Bạn tạm thời đã bị chặn sử dụng nó. Back Tiếng Việt 한국어 English (US) Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch Đăng ký Đăng nhập Messenger Facebook Lite Video Meta Pay Cửa hàng trên Meta Meta Quest Ray-Ban Meta Meta AI Nội dung khác do Meta AI tạo Instagram Threads Trung tâm thông tin bỏ phiếu Chính sách quyền riêng tư Trung tâm quyền riêng tư Giới thiệu Tạo quảng cáo Tạo Trang Nhà phát triển Tuyển dụng Cookie Lựa chọn quảng cáo Điều khoản Trợ giúp Tải thông tin liên hệ lên & đối tượng không phải người dùng Cài đặt Nhật ký hoạt động Meta © 2026 | 2026-01-13T09:29:34 |
https://www.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.threads.com%252F%26amp%253Bh%3DAT3MxmFOjrt9aYBchLGSKdPWPfqoZ8uVG0I8P68QD7mSg88iRNJ5L0erzaBuBAleA5IMC20JuDj-z-Oqq62-c2azKmDlWxvSkmqhyahLZ8nKqNZvqThtJ2lJViTfMFkgbIO1AoRKvSc2r498 | Facebook Facebook 이메일 또는 휴대폰 비밀번호 계정을 잊으셨나요? 새 계정 만들기 일시적으로 차단됨 일시적으로 차단됨 회원님의 이 기능 사용 속도가 너무 빠른 것 같습니다. 이 기능 사용에서 일시적으로 차단되었습니다. Back 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026 | 2026-01-13T09:29:34 |
https://giga.global/get-involved/partnerships/ | Partnerships | Join Us to Connect Every School to the Internet | Giga What We Do How We Work Mapping Modeling Finance Contracting Capacity Development Our Solutions Where We Work Who We Are Our Story Our Collaboration Our Centres Get Involved Governments Partnerships Events and Trainings Resources Newsroom Impact Press Media Kit Multimedia Digital Repository Contact Us Giga Maps Partnerships Home Get Involved Partnerships Home Get Involved Partnerships Partnerships About Giga partnerships Giga, a joint initiative between UNICEF and ITU, combines decades of experience working for children’s rights and education as well as convening of the telecommunications and ICT stakeholders globally. Collaboration is core to Giga success and growth, with partners providing invaluable support including funding, technical expertise, data and infrastructure. Our mission is to connect every school to the internet and provide every child with access to information, opportunity, and choice which requires a collective effort from all stakeholders in the sector. Giga operates through partnerships at every level, with governments, companies, and institutions across research, education, and the private sector. We collaborate with mission-aligned partners to advance universal school connectivity through open-source technology, shared knowledge, investment, and advocacy. How could you join forces with Giga to help achieve this goal? If you are interested in partnering with Giga, please contact us or email us at info@giga.global. Please note that partnerships supporting the Giga initiative are concluded through UNICEF or ITU, depending on the nature of the collaboration. Explore our partnerships Public Sector Partners Our public sector partners include governments, international financial institutions and other multilateral organizations. Public Partnerships Public Sector Partners Government Partnerships and Technical Support Giga works closely with national governments to provide technical support and develop internet connectivity solutions tailored to each country’s context and challenges. Through UNICEF Country Offices and ITU regional offices, Giga engages with ministries of education, ICT, and other key national stakeholders. See where we work. Collaboration with International Financial Institutions Giga also partners with International Financial Institutions (IFIs) and Development Finance Institutions (DFIs) that have experience in funding digital infrastructure and education initiatives. These partnerships help connect governments in need of funding with institutions that can support national efforts to expand school connectivity. Read more Private Sector Partners Our private sector partners include the corporate sector, foundations, philanthropists and others. Private Partnerships Private Sector Partners Giga is a bold, scalable infrastructure partnership with measurable outcomes. Our private sector partners are foundational to this vision, investing in a connected world and contributing data, technology, expertise, as well as financial support. We guide our shared value partnerships to help connect all schools to the internet and every child to information opportunity and choice. Giga offers partners a public-good model, driven by equity and inclusion, designed to scale with governments to incentivize local investments and economic growth. From AI powered school mapping and blockchain based digital identities to outcome based financing and open source infrastructure tools, private partners co-develop and deploy innovative solutions that shape the future of digital public goods. Whether providing access to high performance computing, proprietary datasets, or technical talent, our partners play a crucial role in transforming how governments plan, finance, and scale connectivity. Giga welcomes partners, including technology firms, telecom providers, data innovators, and social impact investors, to co-invest in our shared mission. We operate out of two innovation hubs: Geneva, where we drive digital diplomacy, financing models, and data governance; and Barcelona, where we collaborate on digital inclusion, smart infrastructure, and open technology. We invite the private sector to join us at the intersection of education, health, and digital development—not just to connect schools, but to power communities and empower the next generation of global citizens. Your ideas, resources, and networks can help us unlock new pathways for equitable access, digital opportunity, and lasting impact. United Nations Partners As part of the UN system, we work closely with other UN agencies to accelerate progress toward the Sustainable Development Goals (SDGs), with a focus on inclusive and affordable connectivity for every school. UN Partnerships United Nations Partners The United Nations Economic Commission for Africa (ECA) and Smart Africa collaborate with Giga to strengthen Africa’s digital ecosystem, supporting governments in developing sustainable connectivity models and facilitating market access to expand internet availability for schools and communities. UNESCO supports Giga through the Digital Transformation Collaborative, the GEM Report, and the Gateways Framework, aligning digital transformation with education goals. Recognized in the Global Digital Compact (GDC) , Giga also partners with UNITAR , UNHCR , UPU , and other UN agencies to leverage connectivity for education, health, and community empowerment. Academia Partners Giga partners with academic institutions to advance research, generate evidence and explore innovative solutions for school connectivity. Academia Partnerships Academia Partners Giga collaborates with the University of Geneva through the Giga Research Lab (GRL), a joint initiative that addresses the global digital divide by turning research into real-world solutions to help governments connect schools to the internet. Based in Geneva, the Lab brings together researchers, students, policymakers, and industry leaders to drive evidence-based research and knowledge for digital inclusion. Giga partnership models Financial partnerships Our partners provide financial support to help us expand our field presence, deploying open-source tools, delivering training, and ensuring the long-term sustainability of connectivity initiatives. Additionally, their contributions enable us to sustain operations across Giga’s two global hubs of innovation, technical excellence, and strategic convenings: the Giga Centre in Geneva and the Giga Technology Centre in Barcelona. Non-financial partnerships Providing safe, meaningful connectivity to every child is an unprecedented challenge we face in a rapidly digitizing world. Giga is committed to developing robust, open-source technological solutions that are adaptable across diverse contexts. Our partners have played a vital role in advancing this mission by granting access to high-performance computing, co-developing applications to monitor internet connectivity, and contributing software developers and engineers. Data sharing Accurately identifying connectivity gaps and opportunities requires updated, quality data. Our partners share data on the location of schools and connectivity infrastructure, as well as available connectivity services, enabling effective mapping and modelling of connectivity solutions and investment. Product development Giga develops open-source technologies to support the identification of connectivity gaps and solutions. Our partners share their expertise, research, software, infrastructure and capacity to co-development of innovative solutions and products, including the development of AI algorithms to identify schools from satellite imagery, and software applications to track school real-time connectivity status. Advocacy Giga actively engages governments and decision makers advocating for effective planning and investment for school connectivity. Our partners work together with us to amplify awareness and a call to action for policy frameworks that enable affordable, sustainable and meaningful connectivity for all. Government partners Private partners Partner with Giga Share your ideas of how your business, your ideas, or your expertise can make a difference with Giga. If you are interested in partnering with Giga, please contact us or email us at info@giga.global. Please note that partnerships supporting the Giga initiative are concluded through UNICEF or ITU, depending on the nature of the collaboration. Let’s build a connected future together Get involved Stay connected with Giga Join the Newsletter Follow us on Home FAQ Jobs Contact us Terms of Use Privacy Notice © Copyright 2025 Giga | 2026-01-13T09:29:34 |
https://reports.jenkins.io/jelly-taglib-ref.html#form.3Aenum | Jelly Taglib references – Jenkins Jenkins Taglib Documentation Last Published: 2025-12-08 | Version: 2.528.3 | Homepage / Jelly Taglib references The following Jelly tag libraries are defined in this project. Namespace URI Description /lib/form /lib/form /lib/hudson /lib/hudson /lib/test /lib/test /lib/hudson/project Tag files used in project pages /lib/layout/dropdowns Tag library that defines components for dropdowns /lib/layout/header Tag library that defines components for headers /lib/layout Tag library that defines the basic layouts of Jenkins pages. /lib/hudson/newFromList These tags provide a higher level primitive for building a form page for creating a new item from a list of descriptors.Used in "create new job" page, for an example. /lib/form /lib/form This tag library is also available as an XML Schema Tag Name Description advanced Expandable section that shows "advanced..." button by default. Upon clicking it, a section unfolds, and the HTML rendered by the body of this tag appears. apply "Apply" button that submits the form but without a page transition. See hudson.util.FormApply for the server-side code. When this button is pressed, the FORM element fires the "jenkins:apply" event that allows interested parties to write back whatever states back into the INPUT elements. block Full-width space in the form table that can be filled with arbitrary HTML. booleanRadio Binds a boolean field to two radio buttons that say Yes/No OK/Cancel Top/Bottom. bottomButtonBar Creates a button bar at the bottom of the page for things like "Submit". The actual buttons should be specified as the body of this tag. This area will always be visible at the bottom of the screen. breadcrumb-config-outline Adds one more in-page breadcrumb that jumps to sections in the page. Put this tag right before <l:main-panel> checkbox <input type="checkbox"> tag that takes true/false for @checked, which is more Jelly friendly. class-entry Invisible <f:entry> type for embedding a descriptor's $class field. Most of the time a Descriptor has an unique class name that we can use to instantiate the right Describable class, so we use the '$class' to represent that to clarify the intent. In some other times, such as templates, there are multiple Descriptors with the same Descriptor.clazz but different IDs, and in that case we put 'kind' to indicate that. In this case, to avoid confusing readers we do not put non-unique '$class'. See Descriptor.newInstancesFromHeteroList for how the reader side is handled. combobox Editable drop-down combo box that supports the data binding and AJAX updates. Your descriptor should have the 'doFillXyzItems' method, which returns a ComboBoxModel representation of the items in your combo box, and your instance field should hold the current value. For a read only input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support description Renders a row that shows description text below an input field. descriptorList Generate config pages from a list of Descriptors into a section. descriptorRadioList Generate config pages from a list of Descriptors into a section. dropdownDescriptorSelector Renders a single <select> control for choosing a Describable. Depending on the currently selected value, its config.jelly will be rendered below <select>, allowing the user to configure Describable. dropdownList Foldable block expanded when the corresponding item is selected in the drop-down list. dropdownListBlock Foldable block expanded when the corresponding item is selected in the drop-down list. editableComboBox Editable drop-down combo box. Deprecated as of 1.356. Use f:combobox and databinding instead. editableComboBoxValue Used inside <f:editableComboBox/> to specify one value of a combobox. Normally one would use multiple values. entry An entry of the <f:form>, which is one logical row (that consists of several <TR> tags. One entry normally host one control. enum Binds an enum field to a <select> element. The body of this tag is evaluated for each enum value, which is passed as 'it'. enumSet Binds a set of Enum to a list of checkboxes, each with the label taken from enum Enum.toString() Should be used inside an <f:entry field='...'> element. expandableTextbox A single-line textbox that can be expanded into a multi-line textarea. This control is useful for a field that expects multiple whitespace-separated tokens (such as URLs, glob patterns, etc.) When the user only enters a few tokens, they can keep it as a single line to save space, but to enter a large number of values, this can be turned into textarea for better visibility. If the initial value is already multi-line text, the control starts with textarea. On the server side, your program is responsible for treating ' ', \t, \r, and \n for separators. (StringTokenizer would do this.) file Generates an input field All unknown attributes are passed through to the field. @since 2.385 form Outer-most tag of the entire form taglib, that generates <form> element. helpArea Place holder to lazy-load help text via AJAX. helpLink Outputs a help link for a <f:form> item if help is available or a spacer if none is available. The help link is rendered as a table cell with an (?) icon. If the user clicks it, the content of the HTML fragment at the given URL is rendered in the area designated as <f:helpArea> by the caller, usually in a row beneath the item with help. The alternative spacer is just an empty table cell. This tag was introduced to ensure that the space reserved for help items is consistent over the UI whether or not help exists. @since 1.576 hetero-list Outer most tag for creating a heterogeneous list, where the user can choose arbitrary number of arbitrary items from the given list of descriptors, and configure them independently. The submission can be data-bound into List<T> where T is the common base type for the describable instances. For databinding use, please use <f:repeatableHeteroProperty /> hetero-radio Sibling of hetero-list, which only allows the user to pick one type from the list of descriptors and configure it. invisibleEntry Invisible <f:entry> type. Useful for adding hidden field values. link Generates an anchor element with the ability to send POST requests. @since 1.584 nested number Generates an input field to be used inside <f:entry/> option <option> tag for the <select> element that takes true/false for selected. optionalBlock Foldable block that can be expanded to show more controls by checking the checkbox. optionalProperty Renders inline an optional single-value nested data-bound property of the current instance, by using a <f:optionalBlock> This is useful when your object composes another data-bound object, and when that's optional, where the absence of the value is signified as null (in which case the optionalBlock will be drawn unchecked), and the presence of the value. password Glorified <input type="password"> possibleReadOnlyField prepareDatabinding Modifies the 'attrs.field' of the parent to inherit @field from the enclosing <f:entry> if available. Also computes the @checkUrl attribute. property Renders inline a single-value nested data-bound property of the current instance. This is useful when your object composes another data-bound object as a nested object, yet your UI would still like to render it radio <input type="radio"> tag that takes true/false for @checked, which is more Jelly friendly. Note that Safari doesn't support onchange. Beware that the name attribute should be uniquified among all radio blocks on the page, such as by prefixing it with "G0025." or whatever gensym. For a read only radio input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support radioBlock Radio button with a label that hides additional controls. When checked, those additional controls are displayed. This is useful for presenting mutually exclusive options, where each option comes with a sub-form that provides additional configuration. readOnlyTextbox Generates an input field to be used inside <f:entry/> repeatable Repeatable blocks used to present UI where the user can configure multiple entries of the same kind (see the Java installations configuration in the system config.) This tag works like <j:forEach> and repeatedly evaluate the body so that initially all the items get their own copy. This tag also evaluate the body once more with var=null to create a 'master copy', which is the template entry used when a new copy is inserted. HTML structure This tag mainly produces the nested DIVs with CSS classes as follows: <div class="repeated-container"> // container for the whole thing <div class="repeated-chunk"> ... copy 1 ... <div class="repeated-chunk"> ... copy 2 ... ... The 'repeated-chunk' DIVs will also have additional CSS classes that represent their positions among siblings: first : first chunk among the siblings last : last chunk among the siblings middle: neither first nor last only : it is the only chunk (automatically get first and last at the same time) Usage Note The caller of this tag should define a button to add a new copy and delete the current copy. Such buttons should have 'repeatable-add' CSS class and 'repeatable-delete' CSS class respectively (it can have other CSS classes), so that their event handlers get properly wired up. The positional CSS classes on 'repeated-chunk' DIVs (as explained above) can be used to control the visibility of such buttons. For example, this allows you to hide 'delete' button if there's only one item, or only show 'add' button on the last row. There are a few CSS classes already defined in style.css for this purpose. repeatableDeleteButton Delete button for the <repeatable> tag. repeatableHeteroProperty Data-bound only version of <f:hetero-list> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. repeatableProperty Data-bound only version of <f:repeatable> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. Unless that nested config.jelly already adds a delete button (deprecated), you should normally put the following inside this tag: <f:block> <div align="right"> <f:repeatableDeleteButton /> </div> </f:block> Due to a bug in Stapler data binding the model elements are only set if they consist of one or more values. If all values have been removed in the user interface (i.e. the associated form is empty), then the setter is not invoked anymore. As a workaround, you need to override the corresponding configure method and clear the model property manually before invoking the data binding. See warnings-ng-plugin PR#266. rowSet Adds @nameRef to all table rows inside this tag, so that when the form is submitted, it gets grouped in one JSON object. saveApplyBar Creates the bottom bar for the "Save" and "Apply" buttons. In read only mode (<j:set var="readOnlyMode" value="true"/>) the buttons are not displayed. secretTextarea Enhanced version of <f:textarea/> for editing multi-line secrets. Example usage: <j:jelly xmlns:j="jelly:core" xmlns:f="/lib/form"> <f:entry title="Secret" field="secret"> <f:secretTextarea/> </f:entry> <f:entry title="Secret 2"> <f:secretTextarea field="secret2"/> </f:entry> <f:entry title="Another Secret"> <f:secretTextarea name="foo" value="${it.foo}"/> </f:entry> </j:jelly> section Section header in the form table. select Glorified <select> control that supports the data binding and AJAX updates. Your descriptor should have the 'doFillXyzItems' method, which returns a ListBoxModel representation of the items in your drop-down list box, and your instance field should hold the current value. slave-mode A listbox for choosing the agent's usage. submit Submit button. This should be always used instead of the plain <button> tag. textarea <textarea> tag on steroids. The textarea will be rendered to fit the content. It also gets the resize handle. textbox Generates an input field to be used inside <f:entry/> For a read only input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support toggleSwitch <input type="checkbox"> tag that takes true/false for @checked, which is more Jelly friendly. validateButton See https://www.jenkins.io/doc/developer/forms/jelly-form-controls/ for the reference. withCustomDescriptorByName Execute the body with a temporary currentDescriptorByNameUrl value advanced Expandable section that shows "advanced..." button by default. Upon clicking it, a section unfolds, and the HTML rendered by the body of this tag appears. Attribute Name Type Description title - Caption of the button. By default "Advanced" apply "Apply" button that submits the form but without a page transition. See hudson.util.FormApply for the server-side code. When this button is pressed, the FORM element fires the "jenkins:apply" event that allows interested parties to write back whatever states back into the INPUT elements. Attribute Name Type Description value - The text of the apply button. This tag does not accept any child elements/text. block Full-width space in the form table that can be filled with arbitrary HTML. booleanRadio Binds a boolean field to two radio buttons that say Yes/No OK/Cancel Top/Bottom. Attribute Name Type Description false - Text to be displayed for the 'false' value. Defaults to 'No'. field - Databinding field. true - Text to be displayed for the 'true' value. Defaults to 'Yes'. This tag does not accept any child elements/text. bottomButtonBar Creates a button bar at the bottom of the page for things like "Submit". The actual buttons should be specified as the body of this tag. This area will always be visible at the bottom of the screen. breadcrumb-config-outline Adds one more in-page breadcrumb that jumps to sections in the page. Put this tag right before <l:main-panel> Attribute Name Type Description title - Optional title for this breadcrumb This tag does not accept any child elements/text. checkbox <input type="checkbox"> tag that takes true/false for @checked, which is more Jelly friendly. Attribute Name Type Description checked - class - default - The default value of the checkbox, in case both @checked and @instance are null. If this attribute is unspecified or null, it defaults to unchecked, otherwise checked. description - Optional description for the checkbox field - Used for databinding. TBD. id - json - Normally, the submitted JSON will be boolean indicating whether the checkbox was checked or not. This is sometimes inconvenient if you have a UI that lets user select a subset of a set. If this attribute is present, the submitted JSON will have this as a string value if the checkbox is checked, and none otherwise, making the subset selection easier. name - negative - onclick (deprecated) - Inline JavaScript to execute when the checkbox is clicked. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'class' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. readonly (deprecated) - If set to true, this will take precedence over the onclick attribute and prevent the state of the checkbox from being changed. Note: if you want an actual read only checkbox then add: <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support title - If specified, this human readable text will follow the checkbox, and clicking this text also toggles the checkbox. tooltip - Used as tooltip of the checkbox, and, if a title is specified, of the title value - This tag does not accept any child elements/text. class-entry Invisible <f:entry> type for embedding a descriptor's $class field. Most of the time a Descriptor has an unique class name that we can use to instantiate the right Describable class, so we use the '$class' to represent that to clarify the intent. In some other times, such as templates, there are multiple Descriptors with the same Descriptor.clazz but different IDs, and in that case we put 'kind' to indicate that. In this case, to avoid confusing readers we do not put non-unique '$class'. See Descriptor.newInstancesFromHeteroList for how the reader side is handled. Attribute Name Type Description clazz - The describable class that we are instantiating via structured form submission. descriptor - The descriptor of the describable that we are instantiating via structured form submission. Mutually exclusive with clazz. This tag does not accept any child elements/text. combobox Editable drop-down combo box that supports the data binding and AJAX updates. Your descriptor should have the 'doFillXyzItems' method, which returns a ComboBoxModel representation of the items in your combo box, and your instance field should hold the current value. For a read only input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support Attribute Name Type Description checkMethod String Specify 'get' (must be lowercase) to change the HTTP method used for the AJAX requests to @checkUrl from a POST to a GET. If any other value is specified then requests will use POST. The historical default was GET and 'post' had to be specified to change that, but this was changed in Jenkins 2.285. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS classes that the control gets. default - The default value of the combo box, in case both @value and 'instance field ' are null. field - Used for databinding. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. description Renders a row that shows description text below an input field. descriptorList Generate config pages from a list of Descriptors into a section. Attribute Name Type Description description - Optional attribute to set a description for the section descriptors (required) - hudson.model.Descriptor collection whose configuration page is rendered. field - Either @field or @instances are required (or @field may be inherited from the ancestor <entry> element). If field is specified, instances are assumed to be instance field . When this attribute is specified, JSON structure is properly set up so that the databinding can set the field (or pass this collection as a constructor parameter of the same name. This is more modern way of doing databinding, and thus preferred approach. forceRowSet - If specified, instead of a sequence of <f:optionalBlock>s, draw a sequence of <rowSet>s. icon - Sets the icon on the sidebar item for the section anchor link The icon isn't visible in the section itself instances - Map<Descriptor,Describable> that defines current instances of those descriptors. These are used to fill initial values. Other classes that define the get(Descriptor) method works fine, too, such as DescribableList. targetType - the type for which descriptors will be configured. default to ${it.class} title - Human readable title of the section to be rendered in HTML. descriptorRadioList Generate config pages from a list of Descriptors into a section. Attribute Name Type Description descriptors (required) - hudson.model.Descriptor collection whose configuration page is rendered. instance (required) - The currently configured instance used to fill the initial values of the form. targetType - the type for which descriptors will be configured. default to ${it.class} title (required) - Human readable title of the section to be rendered in HTML. varName (required) - Used as a variable name as well as block name. dropdownDescriptorSelector Renders a single <select> control for choosing a Describable. Depending on the currently selected value, its config.jelly will be rendered below <select>, allowing the user to configure Describable. Attribute Name Type Description capture - Config fragments from descriptors are rendered lazily by default, which means variables seen in the caller aren't visible to them. This attribute allows you to nominate additional variables and their values to be captured for descriptors. default - If specified, this will be chosen as the default value in case the current selection is null. The default can be a specific instance or a descriptor e.g. ${descriptor.defaultSettingsProvider} or ${descriptor.defaultSettingsProvider.descriptor}. In the later case, the from input fields will be empty. descriptors - Collection that lists up all the valid candidate descriptors. If unspecified, inferred from the type of the field. field (required) - Form field name. Used for databinding. title (required) - Human readable title of this control. dropdownList Foldable block expanded when the corresponding item is selected in the drop-down list. Attribute Name Type Description help - Path to the inline help. See <f:entry help="..." /> name (required) - name of the drop-down list. title - Human readable title text of this drop-down listbox. Shown in the same position as <f:entry title="..." /> dropdownListBlock Foldable block expanded when the corresponding item is selected in the drop-down list. Attribute Name Type Description lazy - If specified, the content of the dropdownListBlock will be rendered lazily when it first becomes visible. The attribute value must be the variables to be captured. See the @capture of <renderOnDemand> tag. selected boolean is this value initially selected? staplerClass - provide hint for stapler data binding. typically set to ${descriptor.clazz.name} if dropdownList is for a list of descriptors. title (required) - human readable text displayed for this list item. value (required) - value of the list item. set to <option value="..."> editableComboBox Editable drop-down combo box. Deprecated as of 1.356. Use f:combobox and databinding instead. Attribute Name Type Description clazz - Additional CSS classes that the control gets. field - Used for databinding. items - List of possible values. Either this or nested <f:editableComboBoxValue/>s are required. editableComboBoxValue Used inside <f:editableComboBox/> to specify one value of a combobox. Normally one would use multiple values. Attribute Name Type Description value (required) - This tag does not accept any child elements/text. entry An entry of the <f:form>, which is one logical row (that consists of several <TR> tags. One entry normally host one control. Attribute Name Type Description class - Classes to apply to the form item description - If it's not obvious to the user as to what the control expects, specify some description text (which currently gets rendered as small text under the control, but that may change.) This text shouldn't get too long, and in recent Hudson, this feature is somewhat de-emphasized, in favor of the inline foldable help page specified via @help. This content is HTML (unless the boolean variable escapeEntryTitleAndDescription is set). Use h.escape if necessary. field - Used for the databinding. TBD. When this attribute is specified, @help is inferred, and nested input controls don't need the @field nor @name. help - URL to the HTML page. When this attribute is specified, the entry gets a (?) icon on the right, and if the user clicks it, the contents of the given URL is rendered as a box below the entry. The URL should return an HTML document wrapped in a <div> tag. The URL is interpreted to be rooted at the context path of Hudson, so it's normally something like "/plugin/foobar/help/abc.html". title - Name of the entry. Think of this like a label for the control. This content is HTML (unless the boolean variable escapeEntryTitleAndDescription is set). Use h.escape if necessary. enum Binds an enum field to a <select> element. The body of this tag is evaluated for each enum value, which is passed as 'it'. Attribute Name Type Description default - The name of the enum to set as default value for the first configuration. field - Used for databinding. TBD. enumSet Binds a set of Enum to a list of checkboxes, each with the label taken from enum Enum.toString() Should be used inside an <f:entry field='...'> element. Attribute Name Type Description field - Used for databinding. This tag does not accept any child elements/text. expandableTextbox A single-line textbox that can be expanded into a multi-line textarea. This control is useful for a field that expects multiple whitespace-separated tokens (such as URLs, glob patterns, etc.) When the user only enters a few tokens, they can keep it as a single line to save space, but to enter a large number of values, this can be turned into textarea for better visibility. If the initial value is already multi-line text, the control starts with textarea. On the server side, your program is responsible for treating ' ', \t, \r, and \n for separators. (StringTokenizer would do this.) Attribute Name Type Description field - Used for databinding. TBD. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. file Generates an input field All unknown attributes are passed through to the field. @since 2.385 Attribute Name Type Description accept - Defines the file types the file input should accept. This string is a comma-separated list. clazz - Additional CSS class(es) to add. field - Used for databinding. jsonAware - Enable structured form submission. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. This tag does not accept any child elements/text. form Outer-most tag of the entire form taglib, that generates <form> element. Attribute Name Type Description action (required) - @action of the form field. The URL where the submission is sent. autocomplete - Optional attribute for allowing browsers to perform auto complete or pre-fill the form from history. Default: false class - Classes to apply to the form enctype - @enctype of the <form> HTML element. id - ID of the form. method (required) - Submission method. Either post or get. name (required) - @name of the form. In HTML this is not a mandatory attribute, but in Hudson you should have it for testing and page scraping, so this attribute is marked required. tableClass - Optional class attribute for <table> that is created in the form. target - @target of the <form> HTML element. Works like <a target="..."> and controls which window the result of the submission goes to. helpArea Place holder to lazy-load help text via AJAX. This tag does not accept any child elements/text. helpLink Outputs a help link for a <f:form> item if help is available or a spacer if none is available. The help link is rendered as a table cell with an (?) icon. If the user clicks it, the content of the HTML fragment at the given URL is rendered in the area designated as <f:helpArea> by the caller, usually in a row beneath the item with help. The alternative spacer is just an empty table cell. This tag was introduced to ensure that the space reserved for help items is consistent over the UI whether or not help exists. @since 1.576 Attribute Name Type Description featureName - Name of the feature described by the help text, used for constructing the icon's alt attribute. Optional. url - URL to the HTML page. Optional. If not given, no help icon is displayed. The URL should return a UTF-8 encoded HTML fragment wrapped in a <div> tag. The URL is interpreted to be rooted at the context path of Jenkins, so it's normally something like "/plugin/foobar/help/abc.html". This tag does not accept any child elements/text. hetero-list Outer most tag for creating a heterogeneous list, where the user can choose arbitrary number of arbitrary items from the given list of descriptors, and configure them independently. The submission can be data-bound into List<T> where T is the common base type for the describable instances. For databinding use, please use <f:repeatableHeteroProperty /> Attribute Name Type Description addCaption - caption of the 'add' button. capture - Config fragments from descriptors are rendered lazily by default, which means variables seen in the caller aren't visible to them. This attribute allows you to nominate additional variables and their values to be captured for descriptors. deleteCaption - caption of the 'delete' button. descriptors (required) - all types that the user can add. disableDragAndDrop java.lang.Boolean If true the drag and drop will not be activated. This just removes the drag and drop UI, it will not prevent users from manually submitting a different order. hasHeader - For each item, add a caption from descriptor.getDisplayName(). This also activates drag&drop (where the header is a grip), and help text support. honorOrder - If true, insert new addition by default to their 'desired' location, which is the order induced by the descriptors. items (required) java.util.Collection existing items to be displayed. Something iterable, such as array or collection. menuAlign - Menu alignment against the button. Defaults to tl-bl name (required) - form name that receives an array for all the items in the heterogeneous list. oneEach - If true, only allow up to one instance per descriptor. targetType - the type for which descriptors will be configured. Defaults to ${it.class} (optional) titleClassMethod - If set to an item of the form , it will be used to call to calculate each item title. hetero-radio Sibling of hetero-list, which only allows the user to pick one type from the list of descriptors and configure it. Attribute Name Type Description descriptors (required) - all types that the user can add. field (required) - Field name in the parent object where databinding happens. This tag does not accept any child elements/text. invisibleEntry Invisible <f:entry> type. Useful for adding hidden field values. link Generates an anchor element with the ability to send POST requests. @since 1.584 Attribute Name Type Description clazz - Additional CSS classes. href - Link destination URL. post - If this must send a POST request. nested number Generates an input field to be used inside <f:entry/> Attribute Name Type Description checkMessage - Override the default error message when client-side validation fails, as with clazz="required", etc. checkMethod String Specify 'get' (must be lowercase) to change the HTTP method used for the AJAX requests to @checkUrl from a POST to a GET. If any other value is specified then requests will use POST. The historical default was GET and 'post' had to be specified to change that, but this was changed in Jenkins 2.285. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS class(es) to add (such as client-side validation clazz="required", "number" or "positive-number"; these may be combined, as clazz="required number"). default - The default value of the text box, in case both @value is and 'instance field ' is null. field java.lang.String Used for databinding. TBD. max - The maximum of the @value. This becomes the @max of the <input> tag. This will work only @clazz is 'number', 'number-required', 'non-negative-number-required', 'positive-number', 'positive-number-required'. If specified, the @value should be less than this value, or errors will be rendered under the text field. If this value contains non-digit characters, it will not work. If @min is specified and @min is greater than this value, both @min and @max will not work. min - The minimum of the @value. This becomes the @min of the <input> tag. This will work only @clazz is 'number', 'number-required', 'non-negative-number-required', 'positive-number', 'positive-number-required'. If specified, the @value should be greater than this value, or errors will be rendered under the text field. If this value contains non-digit characters, it will not work. If @max is specified and @max is less than this value, both @min and @max will not work. name java.lang.String This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. option <option> tag for the <select> element that takes true/false for selected. Attribute Name Type Description selected boolean If true, the option value appears as selected. value - The value to be sent when the form is submitted. If omitted, the body of the tag will be placed in the value attribute as well (due to the browser incompatibility between IE and Firefox, value attribute must be included). optionalBlock Foldable block that can be expanded to show more controls by checking the checkbox. Attribute Name Type Description checked - initial checkbox status. true/false. field - Used for databinding. TBD. Either this or @name/@title combo is required. help - If present, the (?) icon will be rendered on the right to show inline help. See @help for <f:entry>. inline - if present, the foldable section will not be grouped into a separate JSON object upon submission name - Name of the checkbox. Can be used by the server to determine if the block is collapsed or expanded at the time of submission. Note that when the block is collapsed, none of its child controls will send the values to the server (unlike <f:advanced>) negative - if present, the foldable section expands when the checkbox is unchecked. title - Human readable text that follows the checkbox. If this field is null, the checkbox degrades to a <f:rowSet>, which provides a grouping at JSON level but on the UI there's no checkbox (and you always see the body of it.) optionalProperty Renders inline an optional single-value nested data-bound property of the current instance, by using a <f:optionalBlock> This is useful when your object composes another data-bound object, and when that's optional, where the absence of the value is signified as null (in which case the optionalBlock will be drawn unchecked), and the presence of the value. Attribute Name Type Description field (required) - help - title (required) - This tag does not accept any child elements/text. password Glorified <input type="password"> Attribute Name Type Description checkMessage - Override the default error message when client-side validation fails, as with clazz="required", etc. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS class(es) to add (such as client-side validation clazz="required", "number" or "positive-number"; these may be combined, as clazz="required number"). field - Used for databinding. TBD. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. possibleReadOnlyField prepareDatabinding Modifies the 'attrs.field' of the parent to inherit @field from the enclosing <f:entry> if available. Also computes the @checkUrl attribute. This tag does not accept any child elements/text. property Renders inline a single-value nested data-bound property of the current instance. This is useful when your object composes another data-bound object as a nested object, yet your UI would still like to render it Attribute Name Type Description field (required) - propertyDescriptor - If specified, bypass the item descriptor inference and use this instead. This tag does not accept any child elements/text. radio <input type="radio"> tag that takes true/false for @checked, which is more Jelly friendly. Note that Safari doesn't support onchange. Beware that the name attribute should be uniquified among all radio blocks on the page, such as by prefixing it with "G0025." or whatever gensym. For a read only radio input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support Attribute Name Type Description checked - id - name - onclick (deprecated) - Inline JavaScript to execute when the checkbox is clicked. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'class' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. title - If specified, this human readable text will follow the radio, and clicking this text also toggles the radio. value - radioBlock Radio button with a label that hides additional controls. When checked, those additional controls are displayed. This is useful for presenting mutually exclusive options, where each option comes with a sub-form that provides additional configuration. Attribute Name Type Description checked (required) boolean Should this control be initially checked or not? help - If specified, the (?) help icon will be rendered on the right, for in place help text. See <f:entry> for the details. inline - if present, the folded section will not be grouped into a separate JSON object upon submission. name (required) - Name of the radio button group. Radio buttons that are mutually exclusive need to have the same name. title (required) - Human readable label text to be rendered next to the radio button. value (required) - @value of the <input> element. readOnlyTextbox Generates an input field to be used inside <f:entry/> Attribute Name Type Description checkMessage - Override the default error message when client-side validation fails, as with clazz="required", etc. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS class(es) to add (such as client-side validation clazz="required", "number" or "positive-number"; these may be combined, as clazz="required number"). default - The default value of the text box, in case both @value is and 'instance field ' is null. field - Used for databinding. TBD. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. onchange (deprecated) - Inline JavaScript to execute when the textbox is changed. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'clazz' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. onkeyup (deprecated) - Inline JavaScript to execute when the keyup event is fired. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'clazz' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. repeatable Repeatable blocks used to present UI where the user can configure multiple entries of the same kind (see the Java installations configuration in the system config.) This tag works like <j:forEach> and repeatedly evaluate the body so that initially all the items get their own copy. This tag also evaluate the body once more with var=null to create a 'master copy', which is the template entry used when a new copy is inserted. HTML structure This tag mainly produces the nested DIVs with CSS classes as follows: <div class="repeated-container"> // container for the whole thing <div class="repeated-chunk"> ... copy 1 ... <div class="repeated-chunk"> ... copy 2 ... ... The 'repeated-chunk' DIVs will also have additional CSS classes that represent their positions among siblings: first : first chunk among the siblings last : last chunk among the siblings middle: neither first nor last only : it is the only chunk (automatically get first and last at the same time) Usage Note The caller of this tag should define a button to add a new copy and delete the current copy. Such buttons should have 'repeatable-add' CSS class and 'repeatable-delete' CSS class respectively (it can have other CSS classes), so that their event handlers get properly wired up. The positional CSS classes on 'repeated-chunk' DIVs (as explained above) can be used to control the visibility of such buttons. For example, this allows you to hide 'delete' button if there's only one item, or only show 'add' button on the last row. There are a few CSS classes already defined in style.css for this purpose. Attribute Name Type Description add - If specified, this text will replace the standard "Add" text. default - Use this collection for items if items or @field is null enableTopButton - true if a new Add button, for adding new copy of repeatable item, should be displayed above repeatable form. Display of top button depends also on number of items. If there is no item, only one button is displayed. When at least one item is present, there are two buttons displayed (only when enableTopButton is true). One above and one below. Top button adds item on top of repeatable form. Bottom button adds item on the bottom of repeatable form. field - Used for the data binding. header - For each item, add this header. This also activates drag&drop (where the header is a grip). items - The item collection to loop over. Required unless @field is given. minimum - At least provide this number of copies initially. minimum="1" is useful to make sure there's always at least one entry for the user to fill in. name - name used in the structured form submission. Defaults to the same name as @var. noAddButton - true if the default 'add' button (that adds a new copy) shouldn't be displayed. When you use this attribute, var - variable that receives the item of the current iteration. Accessible from the body. Required unless @field is given. varStatus - Status variable that indicates the loop status. repeatableDeleteButton Delete button for the <repeatable> tag. Attribute Name Type Description value - Caption of the button. Defaults to 'Delete'. This tag does not accept any child elements/text. repeatableHeteroProperty Data-bound only version of <f:hetero-list> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. Attribute Name Type Description addCaption - caption of the 'add' button. capture - Config fragments from descriptors are rendered lazily by default, which means variables seen in the caller aren't visible to them. This attribute allows you to nominate additional variables and their values to be captured for descriptors. deleteCaption - caption of the 'delete' button. field - Used for the data binding. hasHeader - For each item, add a caption from descriptor.getDisplayName(). This also activates drag&drop (where the header is a grip), and help text support. honorOrder - If true, insert new addition by default to their 'desired' location, which is the order induced by the descriptors. menuAlign - Menu alignment against the button. Defaults to tl-bl oneEach - If true, only allow up to one instance per descriptor. targetType - the type for which descriptors will be configured. Defaults to ${it.class} (optional) This tag does not accept any child elements/text. repeatableProperty Data-bound only version of <f:repeatable> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. Unless that nested config.jelly already adds a delete button (deprecated), you should normally put the following inside this tag: <f:block> <div align="right"> <f:repeatableDeleteButton /> </div> </f:block> Due to a bug in Stapler data binding the model elements are only set if they consist of one or more values. If all values have been removed in the user interface (i.e. the associated form is empty), then the setter is not invoked anymore. As a workaround, you need to override the corresponding configure method and clear the model property manually before invoking the data binding. See warnings-ng-plugin PR#266. Attribute Name Type Description add - If specified, this text will replace the standard "Add" text. default - The default value to use for this collection when 'instance field ' is null. enableTopButton - true if a new Add button, for adding new copy of repeatable item, should be displayed above repeatable form. Display of top button depends also on number of items. If there is no item, only one button is displayed. When at least one item is present, there are two buttons displayed (only when enableTopButton is true). One above and one below. Top button adds item on top of repeatable form. Bottom button adds item on the bottom of repeatable form. field - Used for the data binding. header - For each item, add this header. This also activates drag&drop (where the header is a grip). minimum - At least provide this number of copies initially. minimum="1" is useful to make sure there's always at least one entry for the user to fill in. noAddButton - true if the default 'add' button (that adds a new copy) shouldn't be displayed. When you use this attribute, rowSet Adds @nameRef to all table rows inside this tag, so that when the form is submitted, it gets grouped in one JSON object. Attribute Name Type Description name - if the group head is not available outside, use this attribute to specify the name. @name and @ref are mutually exclusive. ref - id of the thing that serves as the group head, if that's available separately saveApplyBar Creates the bottom bar for the "Save" and "Apply" buttons. In read only mode (<j:set var="readOnlyMode" value="true"/>) the buttons are not displayed. This tag does not accept any child elements/text. secretTextarea Enhanced version of <f:textarea/> for editing multi-line secrets. Example usage: <j:jelly xmlns:j="jelly:core" xmlns:f="/lib/form"> <f:entry title="Secret" field="secret"> <f:secretTextarea/> </f:entry> <f:entry title="Secret 2"> <f:secretTextarea field="secret2"/> </f:entry> <f:entry title="Another Secret"> <f:secretTextarea name="foo" value="${it.foo}"/> </f:entry> </j:jelly> Attribute Name Type Description checkMethod String Specify 'get' (must be lowercase) to change the HTTP method used for the AJAX requests to @checkUrl from a POST to a GET. If any other value is specified then requests will use POST. The historical default was GET and 'post' had to be specified to change that, but this was changed in Jenkins 2.285. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the r | 2026-01-13T09:29:34 |
https://id-id.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT3IWyCUG1-4UvYL2ljswjKnsMnT4lhZrlGZTlLOyEYbNa8HYbtpggv47cM9v9YilU9pLdNIN2tM3D2mR_Rdt9OWzBu3nh6sUH9gpaJEJcrToliCVuNi4mactKE0e0lmfD8l-7Fjbzazvgd5 | Facebook Facebook Email atau telepon Kata Sandi Lupa akun? Buat Akun Baru Anda Diblokir Sementara Anda Diblokir Sementara Sepertinya Anda menyalahgunakan fitur ini dengan menggunakannya terlalu cepat. Anda dilarang menggunakan fitur ini untuk sementara. Back Bahasa Indonesia 한국어 English (US) Tiếng Việt ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch Daftar Masuk Messenger Facebook Lite Video Meta Pay Meta Store Meta Quest Ray-Ban Meta Meta AI Konten Meta AI lainnya Instagram Threads Pusat Informasi Pemilu Kebijakan Privasi Pusat Privasi Tentang Buat Iklan Buat Halaman Developer Karier Cookie Pilihan Iklan Ketentuan Bantuan Pengunggahan Kontak & Non-Pengguna Pengaturan Log aktivitas Meta © 2026 | 2026-01-13T09:29:34 |
https://gitstar-ranking.com/ggml-org | ggml-org - Gitstar Ranking Gitstar Ranking Users Organizations Repositories Rankings Users Organizations Repositories Sign in with GitHub ggml-org Star 156018 Rank 68 Go to GitHub Fetched on 2026/01/09 11:02 15 Repositories llama.cpp 92678 whisper.cpp 45592 ggml 13808 llama.vim 1801 llama.vscode 1123 LlamaBarn 725 p1 190 llama.qtcreator 39 ci 31 .github 9 media 8 ggml-org.github.io 8 free-disk-space 6 ccache-action 0 action-create-release 0 Released by @k0kubun in December 2014. Fork me on GitHub . | 2026-01-13T09:29:34 |
https://giantrabbit.com/our-work?client=center-worklife-law | Our Work | Giant Rabbit Skip to main content Menu Close Main navigation Our Services Our Work About Us Strategy Design Development CRM Selection & Data Migration Fundraising & User Analytics Drupal 7 Upgrades to Backdrop CMS Project Rescues Managed Hosting Support & Maintenance Security  All Arts & Culture Education Environment Health Human Rights Social Justice Technology & Privacy  About Giant Rabbit The Team Jobs Contact Us  Our Work Our clients are fighting for public health, access to abortion, and LGBTQ+ rights. They're going to court on behalf of asylum-seekers and promoting human rights around the world. We support organizations that fight climate change, work for environmental conservation, and warn people about the risks of avalanches. Our clients are also working theaters, performing arts organizations, museums, and cultural institutions. Defending human rights at home and abroad. Partner Since 2018 Center for Gender and Refugee Studies Partner Since 2022 Family Violence Appellate Project Partner Since 2013 Front Line Defenders Partner Since 2022 Human Rights First Partner Since 2022 Justice Action Center Partner Since 2016 National Network of Abortion Funds (NNAF) Partner Since 2020 Observatory for the Protection of Human Rights Defenders Partner Since 2022 Youth Law Center Working toward a healthier future. Partner Since 2019 American Academy of Pediatrics California Chapter 1 Partner Since 2022 Advancing New Standards in Reproductive Health (ANSIRH) Partner Since 2023 Beyond the Pill Partner Since 2015 Cutaneous Lymphoma Foundation Partner Since 2020 Farmers Market Coalition Partner Since 2021 HealthRIGHT 360 Partner Since 2019 Ibis Reproductive Health Services Partner Since 2020 Mandela Partners Protecting the environment and fighting climate change. Partner From 2022 To 2023 Audubon Canyon Ranch Partner Since 2017 Ecology Center Partner Since 2014 Edible Schoolyard Project Partner Since 2007 eLock Technologies Partner Since 2022 Environmental Grantmakers Association Partner Since 2019 Highstead Partner Since 2020 John Muir Land Trust Partner Since 2022 Just Zero Partner Since 2014 Leave No Trace Partner Since 2020 Northwest Avalanche Center (NWAC) Partner Since 2023 One Tree Planted Partner Since 2021 Payette Avalanche Center Partner Since 2022 Sempervirens Partner Since 2019 Sierra Avalanche Center Partner Since 2014 The Trust For Public Land Partner Since 2022 Utah Avalanche Center Working for social and economic justice for all. Partner Since 2021 A New Way of Life Partner Since 2022 Center for Constitutional Rights Partner Since 2021 Center for WorkLife Law Partner Since 2021 Common Cause Partner Since 2010 CompassPoint Partner Since 2021 Equality Action Center Partner Since 2018 Keshet Partner Since 2024 Labor Notes Partner Since 2022 Legal Link Partner Since 2022 Mirror Memoirs Partner Since 2013 Unbound Philanthropy Partner Since 2018 Migrant Justice Building connection through arts, culture, and food. Partner Since 2013 18 Reasons Partner Since 2021 Artists Communities Alliance Partner Since 2019 Authors Alliance Partner Since 2018 Company One Theatre Partner Since 2017 Howlround Theatre Commons Partner Since 2023 Lighthouse Writers Workshop Partner Since 2023 Museo de las Americas Partner Since 2013 Sacred Lands Film Project Improving the quality and accessibility of education. Partner Since 2022 Academy College Prep Partner From 2017 To 2022 Bellwether Education Partner Since 2020 California Community Colleges Transfer Guarantee Pathway to Historically Black Colleges and Universities Partner From 2019 To 2020 The College of Business at Oregon State University Partner Since 2011 Ignited Partner From 2018 To 2022 Maker Ed Partner Since 2014 myShakespeare Partner Since 2019 Umoja Community Education Foundation Using technology for good and defending digital rights and privacy. Partner Since 2014 Electronic Frontier Foundation Partner Since 2019 FreeBSD Foundation Partner From 2015 To 2016 Internet Archive Partner Since 2012 Society of Motion Picture & Television Engineers (SMPTE) Partner From 2013 To 2021 The TOR Project Partner Since 2014 USENIX Partner Since 2020 Women's Audio Mission Partner From 2013 To 2015 Wikimedia Foundation Non-profit Sectors Human Rights Health Environment Social Justice Arts & Culture Education Technology & Privacy ❮ How can we help? Get in touch Giant Rabbit LLC 415.355.4211 info@giantrabbit.com Copyright © 2018-2025 by Giant Rabbit LLC. Artwork by RBlack . | Read our privacy policy . | 2026-01-13T09:29:34 |
https://el.libreoffice.org/ | Καλωσορίσατε στην Ελληνική σελίδα για το LibreOffice » Το LibreOffice στα Ελληνικά Το LibreOffice στα Ελληνικά Αρχική Σελίδα Λήψη Χαρακτηριστικά Βοήθεια Συμμετοχή Άλλες γλώσσες Σχετικά με εμάς To LibreOffice είναι η ελεύθερη, πολυδύναμη (power-packed), σουΐτα προσωπικής παραγωγικότητας Ανοικτού Κώδικα, για διανομές GNU / Linux , Macintosh και Windows, η οποία σας παρέχει έξι (6) εφαρμογές, πλούσιες σε χαρακτηριστικά, για όλη την παραγωγή εγγράφων σας, καθώς και για την κάλυψη των αναγκών διαχείρισης των δεδομένων σας: Ο Επεξεργαστής κειμένων Writer, το Υπολογιστικό φύλλο Calc, η εφαρμογή Παρουσίασης διαφανειών Impress, το πρόγραμμα Σχεδίασης / Ζωγραφικής Draw, το πρόγραμμα Διαχείρισης μαθηματικών τύπων και Υπολογισμών Math και, τέλος, η εφαρμογή Βάσης δεδομένων Base. Παρέχονται δωρεάν Υποστήριξη και Τεκμηρίωση , από την τεράστια και ενθουσιώδη κοινότητα χρηστών, από τους διάφορους συνεισφέροντες/contributors και, βέβαια, από τους ίδιους τους προγραμματιστές/developers. Ακόμα και εσείς, επίσης, μπορείτε να συμμετάσχετε ! Δείτε τι μπορεί να σας προσφέρει το LibreOffice Για πληροφορίες σχετικά με το Ίδρυμα «Document Foundation» ή τη σουΐτα γραφείου LibreOffice, παρακαλώ επισκεφθείτε : Το Ίδρυμα «Document Foundation» Wiki του Ιδρύματος «Document Foundation» Λήψη του LibreOffice 6.0.3 live chat με τους προγραμματιστές στο IRC Κάνε live chat με τα μέλη του TDF, στο IRC Επικοινώνησε μαζί μας στο Facebook Λήψη επεκτάσεων του LibreOffice Λήψη πρότυπων του LibreOffice ⬆ στην κορυφή Privacy Policy (Datenschutzerklärung) | Impressum (Legal Info) | Statutes (non-binding English translation) - Satzung (binding German version) | Copyright information: Unless otherwise specified, all text and images on this website are licensed under the Creative Commons Attribution-Share Alike 3.0 License . This does not include the source code of LibreOffice, which is licensed under the Mozilla Public License v2.0 . "LibreOffice" and "The Document Foundation" are registered trademarks of their corresponding registered owners or are in actual use as trademarks in one or more countries. Their respective logos and icons are also subject to international copyright laws. Use thereof is explained in our trademark policy . LibreOffice was based on OpenOffice.org. | 2026-01-13T09:29:34 |
https://gitstar-ranking.com/hashicorp | hashicorp - Gitstar Ranking Gitstar Ranking Users Organizations Repositories Rankings Users Organizations Repositories Sign in with GitHub hashicorp Star 326877 Rank 24 Go to GitHub Fetched on 2026/01/09 04:17 926 Repositories terraform 47410 vault 33764 consul 29662 vagrant 27189 nomad 16084 packer 15546 terraform-provider-aws 10677 raft 8891 serf 6038 go-plugin 5818 hcl 5764 terraform-cdk 5087 golang-lru 4921 terraform-provider-azurerm 4881 consul-template 4829 waypoint 4732 otto 4244 memberlist 3993 boundary 3980 go-memdb 3421 next-mdx-remote 3058 terraform-provider-google 2568 go-multierror 2537 yamux 2472 go-retryablehttp 2259 envconsul 2054 go-getter 1788 go-version 1730 terraform-provider-kubernetes 1690 go-metrics 1555 setup-terraform 1532 terraform-guides 1486 best-practices 1471 mdns 1323 vault-helm 1220 terraform-ls 1138 terraform-mcp-server 1129 go-immutable-radix 1082 terraform-provider-helm 1056 vault-guides 1050 vscode-terraform 967 levant 837 vault-k8s 826 terraform-exec 764 raft-boltdb 699 consul-k8s 699 terraform-aws-vault 660 nextjs-bundle-analysis 659 terraform-github-actions 621 go-discover 584 1 2 3 4 5 … › Released by @k0kubun in December 2014. Fork me on GitHub . | 2026-01-13T09:29:34 |
https://cloudflare.com/en-gb/banking-and-financial-services/ | Digital transformation for banks & financial services | Cloudflare Sign up Languages English English (United Kingdom) Deutsch Español (Latinoamérica) Español (España) Français Italiano 日本語 한국어 Polski Português (Brasil) Русский 繁體中文 简体中文 Platform Connectivity cloud Cloudflare’s connectivity cloud delivers 60+ networking, security, and performance services. Enterprise For large and medium organizations Small business For small organizations Partner Become a Cloudflare partner use cases Modernize applications Accelerate performance Ensure app availability Optimize web experience Modernize security VPN replacement Phishing protection Secure web apps and APIs Modernize networks Coffee shop networking WAN modernization Simplify your corporate network CxO topics Adopt AI Bring AI into workforces and digital experiences AI security Secure agentic AI and GenAI applications Data compliance Streamline compliance and minimize risk Post-quantum cryptography Safeguard data and meet compliance standards Industries Healthcare Banking Retail Gaming Public sector Resources Product guides Reference architectures Analyst reports Engage Events Demos Webinars Workshops Request a demo Products products Workspace security Zero trust network access Secure web gateway Email security Cloud access security broker Application security L7 DDoS protection Web application firewall API security Bot management Application performance CDN DNS Smart routing Load balancing Networking and SASE L3/4 DDoS protection NaaS / SD-WAN Firewall-as-a-service Network Interconnect plans & pricing Enterprise plans Small business plans Individual plans Compare plans Global services Support and success bundles Optimized Cloudflare experience Professional services Expert-led implementation Technical account management Focused technical management Security operations service Cloudflare monitoring and response Domain registration Buy and manage domains 1.1.1.1 Free DNS resolver Resources Product guides Reference architectures Analyst reports Product demos and tours Help me choose Developers documentation Developer library Documentation and guides Application demos Explore what you can build Tutorials Step-by-step build tutorials Reference architecture Diagrams and design patterns Products Artificial Intelligence AI Gateway Observe, control AI apps Workers AI Run ML models on our network Compute Observability Logs, metrics, and traces Workers Build, deploy serverless apps Media Images Transform, optimize images Realtime Build real-time audio/video apps Storage & database D1 Create serverless SQL databases R2 Store data without costly egress fees Plans & Pricing Workers Build and deploy serverless apps Workers KV Serverless key-value store for apps R2 Store data without costly egrees fees Explore projects Customer stories AI Demo in 30 seconds Quick guide to get started Explore Workers Playground Build, test, and deploy Developers Discord Join the community Start building Partners Partner Network Grow, innovate and meet customer needs with Cloudflare Partner Portal Find resources and register deals Partnership Types PowerUP Program Grow your business while keeping your customers connected and secure Technology Partners Explore our ecosystem of technology partners and integrators Global System Integrators Support seamless large-scale digital transformation Service Providers Discover our network of valued service providers Self-serve agency program Manage Self-Serve Accounts for your clients Peer-to-peer portal Traffic insights for your network Find a partner PowerUP your business - connect with Cloudflare Powered+ partners. Resources Engage Demos + product tours On-demand product demos Case studies Driving success with Cloudflare Webinars Insightful discussions Workshops Virtual forums Library Helpful guides, roadmaps, and more Reports Insights from Cloudflare’s research Blog Technical deep dives and product news Learning center Educational tools and how-to content Build Reference architecture Technical guides Solution + product guides Product documentation Documentation Developer documentation Explore theNET Executive insights for the digital enterprise Cloudflare TV Innovative series and events Cloudforce One Threat research and operations Radar Internet traffic and security trends Analyst reports Industry research reports Events Upcoming regional events Trust, privacy, and compliance Compliance information and policies Support Contact us Community forum Lost account access? Developers Discord Get help Company Company info Leadership Meet our leaders Investor relations Investor information Press Explore recent news Careers Explore open roles Trust, Privacy, & Safety Privacy Policy, data, and protection Trust Policy, process, and safety Compliance Certification and regulation Transparency Policy and disclosures Public Interest Humanitarian Project Galileo Government Athenian Project Elections Cloudflare For Campaigns Health Project Fair Shot Global network Global locations and status Log in Contact sales Secure digital modernization for global banks Cloudflare empowers banks and financial services organizations to deliver seamless, secure digital experiences while meeting data sovereignty, regulatory, and resiliency requirements—enabling innovation and operational efficiency. Sign up for demo Get the solution brief Enhanced security across an expanded threat landscape Cloudflare provides robust protection against evolving threats, including web, API, and network vulnerabilities, with state-of-the-art encryption, as well as, AI-driven threat detection and response capabilities. Modern app development and innovation in the cloud Fuel digital transformation by enabling secure development of cloud applications, incorporating advanced AI and machine learning for enhanced customer experiences. Resiliency and performance-at-scale Ensure high-priority network resiliency and performance with global reach, while meeting data sovereignty requirements , for a better customer experience. Streamlined regulatory compliance Address global regulatory needs, including PCI, GDPR, DORA and NIS2, to maintain compliance while protecting sensitive data and ensuring operational efficiency. Transform banking with secure, scalable, and compliant digital solutions for financial services organizations Protect against emerging cybersecurity threats Banks and financial services organizations face an evolving threat landscape and stricter regulatory demands. Advanced threat intelligence and real-time insights help banks proactively protect digital assets. We have unmatched visibility by serving and analyzing 20% of global web traffic. This allows us to block hundreds of billions of threats daily and secure your environments. Additionally we help you protect the most common breach vectors by stopping ransomware, phishing, and shadow IT with our zero trust security as well as web application or supply chain attacks with state-of-art-encryption, DDoS and client-side protection. Learn more Drive innovation with modern cloud app development Accelerate the digital future and innovation with modern app development in the cloud. Securely integrate AI, machine learning, and big data analytics into their operations, driving personalized services and streamlined processes. Modernize core systems and launch new financial products such as digital wallets, enhancing customer engagement across all touchpoints. Learn more Unmatched resilience, performance and global reach Ensure your operations stay resilient and high-performing with 280 Tbps of network capacity and low-latency connections (~50ms of 95% of Internet users). Deliver global redundancy with our anycast network routing that allows multiple servers to run all our services while sharing the same IP address and routing requests to the closest one. Support dual-vendor requirements with our multi-vendor active/ standby for L3 network traffic protection. This network strength guarantees consistent, reliable service—even during traffic spikes—so your customers can enjoy uninterrupted experiences. Learn more Address compliance with global regulations Comply with critical regulations such as PCI DSS 4.0, GDPR, DORA and NIS2. A zero trust security approach ensures continuous identity verification and strict access controls, while application security, robust encryption and data masking protect sensitive information. We help you stay audit-ready, minimize risk and ensure smooth regulatory adherence. Learn more Increase retention, reduce risk, and improve response times with Cloudflare’s connectivity cloud 49% Increase customer retention due to app performance by up to 49% 1 50% Reduce policy and compliance risk by up to 50% 2 75% Speed DDoS attack response time by up to 75% 3 Analyst Recognition Cloudflare named in Gartner® Magic Quadrant™ for SSE We believe this recognition is a testament to Cloudflare’s “light branch, heavy cloud” architecture and its ability to help global, cloud-minded enterprises accelerate their network modernization. Read the report Cloudflare named a Leader in The Forrester Wave™: Edge Development Platforms, Q4 2023 Forrester Research, Inc evaluated the most significant vendors in the Edge Development Platform market based on 33-categories including developer experience, security, and pricing flexibility & transparency. Read the report Cloudflare is a Leader in the 2024 GigaOm Radar for CDN Cloudflare has been recognized as Leader and Outperformer in the 2024 GigaOm Radar for CDN report. The GigaOm Radar report evaluated nineteen vendor solutions across a series of concentric rings, with those set closer to the center judged to be of higher overall value. Read the report SoFi Overcomes Malicious Traffic with Cloudflare Facing a constant threat from cyber attacks, SoFi’s security team started looking for a Web Application Firewall (WAF) in 2018. They wanted an easy-to-use solution that not only blocked nefarious traffic but also became intelligent over time as new threats emerged. Using Cloudflare WAF, SoFi’s engineers took almost no time to build and deploy granular rule sets and were able to reduce malicious traffic by over 60%, with a significantly low false-positive rate. “What surprised us the most was that Cloudflare WAF was so easy and intuitive to use. It took our engineers almost no time to get up to speed. The issues that took days to get resolved with other cloud providers only take a few hours with Cloudflare. We’ve now expanded our usage of Cloudflare’s suite of products. Integrating with any Cloudflare solution has been just so smooth and painless.” Trusted by 35% of the Fortune 500 View all case studies Get started with Cloudflare Our experts will help you choose the right solution for your business. Talk to an expert Sign up for demo Sources: TechValidate by Survey Monkey, TechValidate Research on Cloudflare Ibid Ibid GETTING STARTED Free plans Small business plans For enterprises Get a recommendation Request a demo Contact sales SOLUTIONS Connectivity cloud Application services SASE and workspace security Network services Developer platform SUPPORT Help center Customer support Community forum Developers Discord Lost account access? Cloudflare status COMPLIANCE Compliance resources Trust GDPR Responsible AI Transparency report Report abuse PUBLIC INTEREST Project Galileo Athenian Project Cloudflare for Campaigns Project Fairshot COMPANY About Cloudflare Network map Our team Logos & press kit Diversity, equity, & inclusion Impact/ESG © 2026 Cloudflare, Inc. Privacy Policy Terms of Use Report Security Issues Cookie Preferences Trademark | 2026-01-13T09:29:34 |
https://gitstar-ranking.com/ant-design | ant-design - Gitstar Ranking Gitstar Ranking Users Organizations Repositories Rankings Users Organizations Repositories Sign in with GitHub ant-design Star 189658 Rank 59 Go to GitHub Fetched on 2026/01/09 08:22 139 Repositories ant-design 97203 ant-design-pro 37842 ant-design-mobile 11943 ant-design-landing 6490 pro-components 4685 ant-motion 4631 x 4199 ant-design-mobile-rn 3299 ant-design-charts 2186 ant-ux 1148 antd-mobile-samples 1146 ant-design-web3 1108 ant-design-icons 1055 ant-design-pro-layout 1003 pro-chat 882 antd-init 814 pro-blocks 715 ant-design-colors 681 create-react-app-antd 579 pro-table 560 ant-design-mini 541 sunflower 494 ant-design-dark-theme 480 react-tutorial 438 antd-tools 407 ant-design-pro-site 397 pro-flow 344 ant-design-aliyun-theme 311 antd-dayjs-webpack-plugin 289 cssinjs 288 antd-style 285 ant-design-pro-cli 261 pro-editor 245 intl-example 203 antd-sketchapp 202 html2sketch 177 scaffold-market 130 kitchen 128 ant-design-mobile-chart 104 codemod-v4 99 compatible 93 antd-token-previewer 81 v2.preview.pro.ant.design 79 antd-library 79 ant-bot 77 parcel-antd 73 ant-design-examples 72 antd-mobile-pro 54 react-starter-kit 51 ant-design-blocks 50 1 2 3 › Released by @k0kubun in December 2014. Fork me on GitHub . | 2026-01-13T09:29:34 |
https://www.ecns.cn/hd/2026-01-04/detail-iheymvap1612569.shtml#3 | International ice sculpture competition heats up in Harbin --> 中文 Home News Ecns Wire Business Travel Photo Video Voices RIGHT BG LINE Text: A A A Print Photo International ice sculpture competition heats up in Harbin ( 1 /10) 2026-01-04 10:20:27 Ecns.cn Editor :Zhao Li Members of a team from St. Petersburg, Russia, work on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026.(Photo: China News Service/Zhao Yuhang) The competition has attracted 38 teams and 76 artists from 12 countries, including Australia, Poland, France, the United States, Spain, India and China. A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A contestant from Mongolia works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Aerial photo) (Photo: Yu Kun) A contestant from Mongolia works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Aerial photo) (Photo: Yu Kun) Members of a China?Russia joint team carve an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, Jan. 3, 2026. (Aerial photo/ Yu Kun) The work was created to mark the 10th anniversary of the sister-city relationship between Harbin and Murmansk, Russia. (Photo: Yu Kun) A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Spanish contestant works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Spanish contestant works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) Previous The competition has attracted 38 teams and 76 artists from 12 countries, including Australia, Poland, France, the United States, Spain, India and China.--> The work was created to mark the 10th anniversary of the sister-city relationship between Harbin and Murmansk, Russia. (Photo: Yu Kun)--> Next (1) (2) (3) (4) (5) (6) (7) (8) (9) (10) LINE More Photo Mourners pay tribute to Crans-Montana bar fire victims Venezuelan leader Maduro brought to New York Highlights of Chinese President Xi Jinping's 2026 New Year message Beijing-Tangshan intercity railway starts full-line operation First 'Grassland curling' attracts 350 competitors China launches two new satellites for space target detection test ${visuals_2} ${visuals_3} More Video (W.E. Talk) Experts on 2026: China's 15th Five-Year Plan significant for the World (W.E. Talk) Experts look to 2026: Seizing opportunities amid crises, forging ahead after breakthroughs The Awkward Chronicles of Uncle Sam: Claimed Glory, Met Chaos The Dunhuang Flying Dancers in the 1,360°C kiln fire The Awkward Chronicles of Uncle Sam: Tariff Bullying and Backfire (W.E. Talk) Experts' review on 2025: China serves as a stabilizing force in a world of turmoil and chaos ${new_video_hd2} ${new_video_hd3} LINE Media partners: People's Daily | Xinhua | CGTN | China Daily Back to top About Us | Jobs | Contact Us | Privacy Policy Copyright ©1999-2026 Chinanews.com. All rights reserved. Reproduction in whole or in part without permission is prohibited. [ 网上传播视听节目许可证(0106168) ] [ 京ICP证040655号 ] [ 京公网安备 11010202009201号 ] [ 京ICP备05004340号-1 ] --> --> | 2026-01-13T09:29:34 |
https://www.ecns.cn/hd/2026-01-04/detail-iheymvap1612569.shtml#8 | International ice sculpture competition heats up in Harbin --> 中文 Home News Ecns Wire Business Travel Photo Video Voices RIGHT BG LINE Text: A A A Print Photo International ice sculpture competition heats up in Harbin ( 1 /10) 2026-01-04 10:20:27 Ecns.cn Editor :Zhao Li Members of a team from St. Petersburg, Russia, work on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026.(Photo: China News Service/Zhao Yuhang) The competition has attracted 38 teams and 76 artists from 12 countries, including Australia, Poland, France, the United States, Spain, India and China. A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A contestant from Mongolia works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Aerial photo) (Photo: Yu Kun) A contestant from Mongolia works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Aerial photo) (Photo: Yu Kun) Members of a China?Russia joint team carve an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, Jan. 3, 2026. (Aerial photo/ Yu Kun) The work was created to mark the 10th anniversary of the sister-city relationship between Harbin and Murmansk, Russia. (Photo: Yu Kun) A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Spanish contestant works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Spanish contestant works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) Previous The competition has attracted 38 teams and 76 artists from 12 countries, including Australia, Poland, France, the United States, Spain, India and China.--> The work was created to mark the 10th anniversary of the sister-city relationship between Harbin and Murmansk, Russia. (Photo: Yu Kun)--> Next (1) (2) (3) (4) (5) (6) (7) (8) (9) (10) LINE More Photo Mourners pay tribute to Crans-Montana bar fire victims Venezuelan leader Maduro brought to New York Highlights of Chinese President Xi Jinping's 2026 New Year message Beijing-Tangshan intercity railway starts full-line operation First 'Grassland curling' attracts 350 competitors China launches two new satellites for space target detection test ${visuals_2} ${visuals_3} More Video (W.E. Talk) Experts on 2026: China's 15th Five-Year Plan significant for the World (W.E. Talk) Experts look to 2026: Seizing opportunities amid crises, forging ahead after breakthroughs The Awkward Chronicles of Uncle Sam: Claimed Glory, Met Chaos The Dunhuang Flying Dancers in the 1,360°C kiln fire The Awkward Chronicles of Uncle Sam: Tariff Bullying and Backfire (W.E. Talk) Experts' review on 2025: China serves as a stabilizing force in a world of turmoil and chaos ${new_video_hd2} ${new_video_hd3} LINE Media partners: People's Daily | Xinhua | CGTN | China Daily Back to top About Us | Jobs | Contact Us | Privacy Policy Copyright ©1999-2026 Chinanews.com. All rights reserved. Reproduction in whole or in part without permission is prohibited. [ 网上传播视听节目许可证(0106168) ] [ 京ICP证040655号 ] [ 京公网安备 11010202009201号 ] [ 京ICP备05004340号-1 ] --> --> | 2026-01-13T09:29:34 |
https://cloudflare.com/de-de/ai-solution/ | Künstliche Intelligenz (KI) Lösungen | Cloudflare Registrieren Sprachen English English (United Kingdom) Deutsch Español (Latinoamérica) Español (España) Français Italiano 日本語 한국어 Polski Português (Brasil) Русский 繁體中文 简体中文 Plattform Connectivity Cloud Die Connectivity Cloud von Cloudflare bietet mehr als 60 Netzwerk-, Sicherheits- und Performance-Services. Enterprise Für große und mittelständische Unternehmen Kleinunternehmen Für kleine Organisationen Partner Werden Sie Cloudflare-Partner Anwendungsfälle Modernisierung von Anwendungen Höhere Performance App-Verfügbarkeit sicherstellen Web-Erfahrung optimieren Sicherheit modernisieren VPN-Ersatz Phishing-Schutz Schutz von Webanwendungen und APIs Netzwerkmodernisierung Coffee Shop-Networking WAN-Modernisierung Vereinfachung des Firmennetzwerks CXO-Themen KI einführen Die KI-Nutzung in der Belegschaft und digitalen Erlebnissen fördern. KI-Sicherheit Sichern Sie agentenbasierte KI- und GenAI-Anwendungen Datenkonformität Compliance optimieren und Risiken minimieren Post-Quanten-Kryptografie Daten schützen und Compliance-Standards erfüllen Branchen Gesundheitswesen Bankwesen Einzelhandel Gaming Öffentlicher Sektor Weitere Informationen Produktleitfaden Referenz-Architekturen Analyseberichte Vertiefung Ereignisse Demos Webinare Workshops Demo anfragen Produkte Produkte Workspace-Sicherheit Zero-Trust-Netzwerkzugriff Secure Web Gateway E-Mail-Sicherheit Cloud Access Security Broker Anwendungssicherheit DDoS-Schutz auf L7 Web Application Firewall API-Sicherheit Bot-Management Anwendungsperformance CDN DNS Smart Routing Load Balancing Netzwerke und SASE DDoS-Schutz auf L3/4 NaaS / SD- WAN Firewall as a Service Netzwerk-Interconnection Tarife und Preise Enterprise-Tarife KMU-Tarife Tarife für Privatanwender Zum Tarifvergleich Globale Dienste Support- und Success-Pakete Optimiertes Cloudflare-Erlebnis Professionelle Services Implementierung unter Leitung von Experten Technische Kundenbetreuung Fokussiertes technisches Management Security Operations-Dienst Cloudflare-Überwachung und -Vorfallsreaktion Domainregistrierung Domains kaufen und verwalten 1.1.1.1 Kostenlose DNS-Auflösung Weitere Informationen Produktleitfaden Referenz-Architekturen Analyseberichte Produktdemonstrationen und Rundgänge Entscheidungshilfe Entwickler Dokumentation Entwickler-Bibliothek Dokumentation und Leitfäden Anwendungsdemos Entwicklungsmöglichkeiten entdecken Tutorials Schritt-für-Schritt-Entwicklungsleitfäden Referenz-Architektur Diagramme und Designmuster Produkte Künstliche Intelligenz AI Gateway KI-Apps beobachten & steuern Workers AI ML-Modelle in unserem Netzwerk ausführen Rechenleistung Observability Protokolle, Metriken und Traces Workers Serverlose Apps erstellen/bereitstellen Medien Images Bilder transformieren & optimieren Realtime Echtzeit-Audio-/-Video-Apps entwickeln Speicher und Datenbank D1 Erstellen Sie serverlose SQL-Datenbanken R2 Daten ohne kostspielige Egress-Gebühren speichern Tarife und Preise Workers Serverlose Apps erstellen & bereitstellen Workers KV Serverloser Schlüssel-Werte-Speicher für Apps R2 Daten speichern ohne teure Egress-Gebühren Projekte entdecken Anwendungsbeispiele aus der Praxis KI-Demo in 30 Sekunden Schnellstart-Guide Erkunden Sie den Workers Playground Entwickeln, testen und bereitstellen Entwickler-Discord Werden Sie Teil der Community Jetzt entwickeln Partner Partner-Netzwerk Cloudflare hilft Ihnen zu wachsen, Innovationen voranzutreiben und Kundenbedürfnisse gezielt zu erfüllen. Partner-Portal Ressourcen finden und Angebote registrieren Arten von Partnerschaften PowerUP-Programm Unternehmenswachstum vorantreiben – während Kunden zuverlässig verbunden und geschützt bleiben Technologiepartner Entdecken Sie unser Ökosystem aus Technologie-Partnern und Integrationen Globale Systemintegratoren Unterstützen Sie eine nahtlose, groß angelegte digitale Transformation Service-Provider Entdecken Sie unser Netzwerk von geschätzten Service-Providern Self-Serve-Agenturprogramm Verwalten Sie Self-Serve-Konten für Ihre Kunden Peer-to-Peer-Portal Traffic-Einblicke für Ihr Netzwerk Einen Partner finden Steigern Sie Ihr Geschäft – vernetzen Sie sich mit Cloudflare Powered+ Partnern. Ressourcen Vertiefung Demos + Produktführungen On-Demand-Produktdemos Kundenreferenzen Mit Cloudflare zum Erfolg Webinare Aufschlussreiche Diskussionen Workshops Virtuelle Foren Bibliothek Hilfreiche Leitfäden, Roadmaps und mehr Berichte Erkenntnisse aus der Forschung von Cloudflare Blog Technische Vertiefungen und Produktneuigkeiten Learning Center Lerntools und praktische Ratgeber Erstellen Referenz-Architektur Technische Leitfäden Lösungs- & Produktleitfäden Produktdokumentation Dokumentation Dokumentation für Entwickler Kennenlernen theNET Erkenntnisse für das digitale Unternehmen Cloudflare TV Innovative Reihen und Events Cloudforce One Bedrohungsforschung und -maßnahmen Radar Internet-Traffic und Sicherheitstrends Analyseberichte Berichte von Branchenanalysten Ereignisse Kommende regionale Events Vertrauen, Datenschutz und Compliance Compliance-Informationen und -Richtlinien Support Kontakt Community-Forum Kontozugang verloren? Entwickler-Discord Hilfe holen Unternehmen Unternehmensinfos Leadership Vorstellung unseres Führungsteams Anlegerbeziehungen Informationen für Anleger Presse Aktuelle Nachrichten entdecken Stellenausschreibungen Offene Stellen erkunden Vertrauen, Datenschutz und Sicherheit Datenschutz Richtlinien, Daten und Schutz Vertrauen Richtlinien, Prozess und Sicherheit Compliance Zertifizierung und Regulierung Transparenz Richtlinien und Hinweise Öffentliches Interesse Humanitäre Hilfe Projekt Galileo Behörden Projekt „Athenian“ Wahlen Cloudflare for Campaigns Gesundheit Project Fair Shot Globales Netzwerk Globale Standorte und Status Anmelden Vertrieb kontaktieren Beschleunigen Sie Ihre KI-Einführung Sie haben Ihre KI-Vision erhalten. Die einheitliche Plattform für Sicherheit, Konnektivität und Entwicklung von Cloudflare unterstützt Sie dabei, diese Vision schneller und sicherer umzusetzen. Beratung anfragen Problem Komplexität verringert Vorteile der KI-Nutzung Unternehmen haben ehrgeizige Ziele im Bereich KI. Viele Projekte werden jedoch durch langsame Entwicklung, Skalierungsprobleme und neuartige Risiken behindert. Langsame KI-Entwicklung Komplexe Toolchains und eine sich ständig verändernde technische Landschaft stehen der KI-Innovation im Wege. Herausfordernde KI-Skalierung Globale Nutzerbasis, Nutzungsspitzen und unflexible Rechenkosten behindern das Wachstum der KI. Wachsendes KI-Risiko Begrenzte Transparenz, komplexes Risikomanagement und mangelhafte Datenverwaltung beschränken die Auswirkungen von KI, einschließlich KI-generiertem Code. Lösung Cloudflare ist Ihre zentrale Anlaufstelle für KI-Kontrolle Die Connectivity Cloud von Cloudflare ermöglicht es Unternehmen, KI-Anwendungen zu entwickeln, KI-Apps zu verbinden und zu skalieren sowie ihren gesamten KI-Lebenszyklus über eine einzige globale Plattform zu schützen. KI entwickeln KI absichern Wichtigste KI-Anforderungen Erstellen Sie eine KI-Strategie oder bleiben Sie zurück Die Fortschritte und Anwendungsfälle, die die KI im letzten Jahr hervorgebracht hat, zeigen, dass sie die Art und Weise, wie wir arbeiten und Informationen konsumieren, grundlegend verändern kann. Der Druck ist groß, eine KI-Strategie zu entwickeln, die festlegt, wie Ihr Unternehmen KI nutzt, wie Sie geistiges Eigentum schützen und wie Sie KI-fähige Komponenten zu internen und externen Anwendungen hinzufügen. Schnellere Innovation Erstellen Sie KI-Anwendungen schneller, kostengünstiger und agiler – unabhängig vom KI-Modell. Globale Reichweite Bieten Sie zuverlässige, schnelle Erlebnisse über komplexe KI-Stacks und globale Nutzergruppen hinweg. Integrierte Sicherheit Verstehen und verwalten Sie KI-Risiken, ohne sich in Dashboards oder durch ständige Richtlinienaktualisierungen zu verlieren. E-Book: KI schützen und skalieren: Ein Leitfaden für Unternehmen Erfahren Sie, warum Unternehmen Schwierigkeiten haben, eine skalierbare und sichere KI-Infrastruktur aufzubauen, warum die Infrastruktur von Hyperscalern oft nicht ausreicht und wie sich diese Herausforderungen überwinden lassen. E-Book lesen Weltweit führende Unternehmen, darunter 30 % der Fortune 1000, vertrauen auf Cloudflare Sind Sie bereit für ein Gespräch mit einem Spezialisten? Beratung anfragen FUNKTIONSWEISE Eine übergreifende Plattform für KI-Sicherheits-, Konnektivitäts- und Entwicklerdienste Die KI-Dienste von Cloudflare sind so konzipiert, dass sie überall in unserem globalen Netzwerk von 330+ Städten ausgeführt werden können – und bereits von 80 % der Top-50-Unternehmen für generative KI genutzt werden. Erstellen Erstellen Sie Full-Stack KI-Anwendungen mit Zugriff auf über 50 KI-Modelle in unserem globalen Netzwerk. Erstellen und betreiben Sie Agenten, ohne für Wartezeiten zu zahlen. Mehr dazu Vernetzen Steuern und beobachten Sie KI-gestützte Anwendungen, während Sie die Inferenzkosten senken und den Traffic dynamisch routen. Erstellen Sie MCP-Server, die in unserem globalen Netzwerk betrieben werden Mehr dazu Schützen Erweitern Sie die Transparenz, reduzieren Sie Risiken und schützen Sie Daten während des gesamten KI-Lebenszyklus. Steuern Sie, wie KI-Crawler auf Ihre Webinhalte zugreifen können. Mehr dazu Cloudflare hilft Indeed, die Nutzung von Schatten-KI zu erkennen und zu verwalten Indeed, eine führende Jobbörse, wünschte sich einen besseren Einblick in und eine bessere Kontrolle über die von ihren Mitarbeitenden genutzten KI-Anwendungen. Das Unternehmen entschied sich für die KI-Sicherheitssuite von Cloudflare, die dabei hilft, KI-Nutzungsmuster zu erkennen und Richtlinien zur Datennutzung durchzusetzen. Indeed ist nun auf dem Weg, die richtige Balance zwischen Innovation und Kontrolle zu erreichen. „Cloudflare hilft uns dabei, die Risiken von Schatten-KI herauszufinden und nicht genehmigte KI-Apps und Chatbots zu blockieren.“ ERSTE SCHRITTE Free-Tarife KMU-Tarife Für Unternehmen Empfehlung erhalten Demo anfragen Vertrieb kontaktieren LÖSUNGEN Connectivity Cloud Anwendungsdienste SASE- und Workspace-Sicherheit Netzwerkdienste Entwicklerplattform SUPPORT Hilfe-Center Kundensupport Community-Forum Entwickler-Discord Kein Kontozugang mehr? Cloudflare-Status COMPLIANCE Ressourcen rund um Compliance Vertrauen DSGVO Verantwortungsvolle KI Transparenzbericht Regelverstoß melden ÖFFENTLICHES INTERESSE Projekt Galileo Projekt Athenian Cloudflare for Campaigns Projekt „Fair Shot“ UNTERNEHMEN Über Cloudflare Netzwerkkarte Unser Team Logos und Pressekit Diversität, Gleichberechtigung und Inklusion Impact/ESG © 2026 Cloudflare, Inc. Datenschutzrichtlinie Nutzungsbedingungen Sicherheitsprobleme berichten Vertrauen und Sicherheit Cookie-Einstellungen Markenzeichen Impressum | 2026-01-13T09:29:34 |
https://www.ecns.cn/hd/2026-01-04/detail-iheymvap1612569.shtml#7 | International ice sculpture competition heats up in Harbin --> 中文 Home News Ecns Wire Business Travel Photo Video Voices RIGHT BG LINE Text: A A A Print Photo International ice sculpture competition heats up in Harbin ( 1 /10) 2026-01-04 10:20:27 Ecns.cn Editor :Zhao Li Members of a team from St. Petersburg, Russia, work on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026.(Photo: China News Service/Zhao Yuhang) The competition has attracted 38 teams and 76 artists from 12 countries, including Australia, Poland, France, the United States, Spain, India and China. A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A contestant from Mongolia works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Aerial photo) (Photo: Yu Kun) A contestant from Mongolia works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Aerial photo) (Photo: Yu Kun) Members of a China?Russia joint team carve an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, Jan. 3, 2026. (Aerial photo/ Yu Kun) The work was created to mark the 10th anniversary of the sister-city relationship between Harbin and Murmansk, Russia. (Photo: Yu Kun) A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Spanish contestant works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Spanish contestant works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) Previous The competition has attracted 38 teams and 76 artists from 12 countries, including Australia, Poland, France, the United States, Spain, India and China.--> The work was created to mark the 10th anniversary of the sister-city relationship between Harbin and Murmansk, Russia. (Photo: Yu Kun)--> Next (1) (2) (3) (4) (5) (6) (7) (8) (9) (10) LINE More Photo Mourners pay tribute to Crans-Montana bar fire victims Venezuelan leader Maduro brought to New York Highlights of Chinese President Xi Jinping's 2026 New Year message Beijing-Tangshan intercity railway starts full-line operation First 'Grassland curling' attracts 350 competitors China launches two new satellites for space target detection test ${visuals_2} ${visuals_3} More Video (W.E. Talk) Experts on 2026: China's 15th Five-Year Plan significant for the World (W.E. Talk) Experts look to 2026: Seizing opportunities amid crises, forging ahead after breakthroughs The Awkward Chronicles of Uncle Sam: Claimed Glory, Met Chaos The Dunhuang Flying Dancers in the 1,360°C kiln fire The Awkward Chronicles of Uncle Sam: Tariff Bullying and Backfire (W.E. Talk) Experts' review on 2025: China serves as a stabilizing force in a world of turmoil and chaos ${new_video_hd2} ${new_video_hd3} LINE Media partners: People's Daily | Xinhua | CGTN | China Daily Back to top About Us | Jobs | Contact Us | Privacy Policy Copyright ©1999-2026 Chinanews.com. All rights reserved. Reproduction in whole or in part without permission is prohibited. [ 网上传播视听节目许可证(0106168) ] [ 京ICP证040655号 ] [ 京公网安备 11010202009201号 ] [ 京ICP备05004340号-1 ] --> --> | 2026-01-13T09:29:34 |
https://www.atlassian.com/br/software/jira/templates/finance | Templates de finanças | Biblioteca de templates do Jira | Atlassian Close Quer visualizar esta página no seu idioma ? Todos os idiomas Escolha seu idioma 中文 Deutsch English Español Français Italiano 한국어 Nederlands 日本語 Português Pусский Polski Obtenha grátis Funções Todas as funções Rovo no Jira Back Soluções Equipes Casos de uso Tamanho da empresa Equipes Marketing Desenvolvimento Design Operações TI Casos de uso Introdução Planejamento Gerenciamento de campanha Gerenciamento de projetos no Agile Gerenciamento de programas Tamanho da empresa Empresas Back Guia do produto Modelos Templates Título da coluna Todos os templates Desenvolvimento de software Marketing Design Vendas Operações Gestão de serviços RH Jurídico Operações de TI Finanças Templates do Jira Service Management Back Preços E mais + Menos - Obtenha grátis Back Obtenha grátis Templates do Jira Open and close the navigation menu Categorias Desenvolvimento de software Marketing Design Vendas Operações Gestão de serviços RH Jurídico alimentadas por IA Finanças Templates de gerenciamento de projeto Obtenha grátis Categorias Desenvolvimento de software Marketing Design Vendas Operações Gestão de serviços RH Jurídico alimentadas por IA Finanças Templates de gerenciamento de projeto Templates de finanças Mantenha as finanças em ordem com o Jira Work Management. Com templates pré-gerados e personalizáveis para equipes de finanças, é fácil começar. Aquisições Acompanhe todas as compras, desde o pedido até o recebimento. Criação de orçamento Alinhe as equipes durante o processo de criação do orçamento. Processo RFP Selecione o fornecedor certo e melhore o processo de RFP. Gerenciamento de serviços financeiros Gerencie e monitore os orçamentos, gastos e outras solicitações financeiras. Fechamento do fim do mês Simplifique o complicado processo de fechamento do mês. Recursos financeiros Jira para equipes de finanças Equilibre e planeje as finanças da empresa. Saiba mais sobre como o Jira Work Management ajuda a otimizar o trabalho. Saiba mais Coloque os projetos no piloto automático Coloque o foco no que importa e automatize o resto. Crie regras personalizadas para a equipe ou comece a trabalhar com rapidez com as automações predefinidas. Conheça automações Conexão com as ferramentas que você prefere Aproveite mais de 500 integrações para trabalhar sem problemas e mais de 3 mil extensões para deixar o processo da equipe perfeito. Conheça o marketplace de aplicativos Empresa Carreiras Eventos Blogs Relações com investidores Fundação Atlassian Kit de imprensa Fale conosco produtos Rovo Jira Jira Align Jira Service Management Confluence Loom Trello Bitbucket Ver todos os produtos Recursos Suporte técnico Compras e licenciamento Comunidade da Atlassian Base de conhecimento Marketplace Minha conta Criar chamado de suporte Saiba mais Parceiros Treinamento e certificação Documentação Recursos de desenvolvedores Serviços corporativos Ver todos os recursos Copyright © 2025 Atlassian Política de privacidade Termos Aviso legal Escolha o Idioma Deutsch English Español Français Italiano 한국어 Nederlands 日本語 Polski Português русский 中文 | 2026-01-13T09:29:34 |
https://cloudflare.com/pt-br/events/ | Eventos da Cloudflare | Cloudflare Inscreva-se Idiomas English English (United Kingdom) Deutsch Español (Latinoamérica) Español (España) Français Italiano 日本語 한국어 Polski Português (Brasil) Русский 繁體中文 简体中文 Plataforma Nuvem de conectividade A nuvem de conectividade da Cloudflare oferece mais de 60 serviços de rede, segurança e desempenho. Enterprise Para organizações de grande e médio porte Pequena empresa Para pequenas organizações Parceiro Torne-se um parceiro da Cloudflare! Casos de uso Modernizar aplicativos Desempenho acelerado Garantir a disponibilidade dos aplicativos Otimizar a experiência na web Modernizar a segurança Substituição da VPN Proteção contra phishing Proteger aplicativos web e APIs Modernizar as redes Rede de cafeterias Modernização de WAN Simplificação de sua rede corporativa Tópicos para CXOs Adotar IA Integrar a IA nas forças de trabalho e nas experiências digitais Segurança de IA Proteger aplicativos de IA agêntica e generativa Conformidade de dados Simplificar a conformidade e minimizar os riscos Criptografia pós-quântica Proteger dados e atender aos padrões de conformidade Setores Saúde Bancário Varejo Jogos Setor público Recursos Guias de produtos Arquiteturas de referência Relatórios de analistas Interagir Eventos Demonstrações Webinars Workshops Solicite uma demonstração Produtos Produtos Segurança do espaço de trabalho Acesso à rede Zero Trust Gateway seguro da web Email security Agente de segurança de acesso à nuvem Segurança de aplicativos Proteção contra DDoS na camada de aplicação Firewall de aplicativos web Segurança para APIs Bot Management Desempenho de aplicativos CDN DNS Roteamento inteligente Load balancing Rede e SASE Proteção contra DDoS nas camadas 3/4 NaaS / SD- WAN Firewall como serviço Network Interconnect Planos e preços Planos Enterprise Planos para pequenas empresas Planos individuais Compare planos Serviços globais Pacotes de suporte e sucesso Experiência otimizada com a Cloudflare Serviços profissionais Implementação liderada por especialistas Gerenciamento técnico de contas Gerenciamento técnico focado Serviço de operações de segurança Monitoramento e resposta da Cloudflare Registro de domínios Compre e gerencie domínios 1.1.1.1 Resolvedor de DNS gratuito Recursos Guias de produtos Arquiteturas de referência Relatórios de analistas Demonstrações de produtos e tour Me ajude a escolher Desenvolvedores Documentação Biblioteca para desenvolvedores Documentação e guias Demonstrações de aplicativos Explore o que você pode criar Tutoriais Tutoriais de criação passo a passo Arquitetura de referência Diagramas e padrões de design Produtos Inteligência artificial AI Gateway Observe e controle aplicativos de IA Workers AI Execute modelos de ML em nossa rede Computação Observability Logs, métricas e rastreamentos Workers Crie e implante aplicativos sem servidor Mídia Images Transforme e otimize imagens Realtime Crie aplicativos de áudio/vídeo em tempo real Armazenamento e banco de dados D1 Crie bancos de dados SQL sem servidor R2 Armazene dados sem taxas de saída caras Planos e preços Workers Crie e implante aplicativos sem servidor Workers KV Armazenamento de chave-valor sem servidor para aplicativos R2 Armazene dados sem taxas de saída caras Explore os projetos Histórias de clientes Demonstração de IA em 30 segundos Guia rápido para começar Explorar o Workers Playground Crie, teste e implante Discord para desenvolvedores Participe da comunidade Comece a desenvolver Parceiros Rede de parceiros Cresça, inove e atenda às necessidades do cliente com a Cloudflare Portal de parceiros Encontre recursos e registre ofertas Tipos de parceria Programa PowerUP Expanda seus negócios e mantenha seus clientes conectados e protegidos Parceiros de Tecnologia Explore nosso ecossistema de parceiros e integradores de tecnologia Integradores de sistema global Apoiar a transformação digital contínua e em grande escala Provedores de serviços Descubra nossa rede de provedores de serviços valiosos Programa de agências de autoatendimento Gerencie contas de autoatendimento para seus clientes Portal peer-to-peer Insights de tráfego para sua rede Localize um parceiro Impulsione seus negócios: conecte-se com os parceiros Cloudflare Powered+. Recursos Interagir Demonstrações e tour dos produtos Demonstrações de produtos sob demanda Estudos de caso Impulsione o sucesso com a Cloudflare Webinars Discussões esclarecedoras Workshops Fóruns virtuais Biblioteca Guias e roteiros úteis e muito mais Relatórios Insights da pesquisa da Cloudflare Blog Aprofundamentos técnicos e notícias sobre produtos Central de aprendizagem Ferramentas educacionais e conteúdo prático Criar Arquitetura de referência Guias técnicos Guias de soluções e produtos Documentação de produtos Documentação Documentação para desenvolvedores Explorar theNET Insights executivos para a empresa digital Cloudflare TV Séries e eventos inovadores Cloudforce One Pesquisa e operações de ameaças Radar Tráfego da internet e tendências de segurança Relatórios de analistas Relatórios de pesquisas do setor Eventos Próximos eventos regionais Confiança, privacidade e conformidade Informações e políticas de conformidade Suporte Fale conosco Fórum da comunidade Perdeu o acesso à conta? Discord para desenvolvedores Obter ajuda Empresa Informações da empresa Liderança Conheça nossos líderes Relações com investidores Informações para investidores Imprensa Explore as notícias recentes Carreiras Explore as funções em aberto confiança, privacidade e segurança Privacidade Política, dados e proteção Confiança Política, processo e segurança Conformidade Certificação e regulamentação Transparência Políticas e divulgações Interesse público Humanitário Projeto Galileo Governo Projeto Athenian Eleições Cloudflare para Campanhas Saúde Project Fair Shot Rede global Locais e status globais Entrar Entre em contato com vendas Reserve a data para o Cloudflare Connect San Francisco 2026 19 a 22 de outubro de 2026 Junte-se a milhares de líderes do setor para ter uma oportunidade incomparável de impulsionar a inovação e a colaboração no Cloudflare Connect 2025. Saiba mais Todos os eventos agendados Américas EMEA APJC Washington, DC GovCIO AI Summit • Jan 9 Coming soon San Diego, CA AFCEA West • Feb 10 - Feb 12 Coming soon Dallas, TX Immerse Dallas • Feb 12 Learn more Bogota, CO Immerse Bogota, Colombia • Feb 19 Coming soon New York, NY NASTD East-West • Mar 2 - Mar 5 Coming soon Washington, DC Billington State & Local • Mar 9 - Mar 11 Coming soon Mexico City, MX Immerse CDMX, Mexico • Mar 12 Coming soon San Jose, CA NVIDIA GTC • Mar 16 - Mar 17 Coming soon San Francisco, CA RSAC • Mar 23 - Mar 24 Coming soon Houston, TX Immerse Houston • Apr 2 Coming soon New York, NY Immerse New York • Apr 14 Coming soon São Paulo, BR Immerse Sao Paulo, Brazil • Apr 15 Coming soon Boston, MA Immerse Boston • Apr 16 Coming soon Montreal, CA Immerse Montreal • Apr 22 Coming soon Las Vegas, NV Google Cloud Next • Apr 22 - Apr 23 Coming soon Minneapolis, MN Immerse Minneapolis • Apr 23 Coming soon Philadelphia, PA NASCIO Midyear • Apr 28 - May 1 Coming soon Buenos Aires, AR Immerse Buenos Aires, Argentina • May Coming soon Kansas City, MO NLIT • May 4 - May 6 Coming soon Anaheim, CA Immerse Anaheim/SoCal • May 6 Coming soon Tampa, FL SOF Week • May 18 - May 21 Coming soon Toronto, CA Immerse Toronto • May 20 Coming soon Chicago, IL Immerse Chicago • May 28 Coming soon National Harbor, MD Gartner Security & Risk Management Summit (USA) • Jun 1 - Jun 2 Coming soon Baltimore, MD TechNet Cyber • Jun 2 - Jun 4 Coming soon Austin, TX NASTD Midwest-South • Jun 8 - Jun 11 Coming soon Vancouver, CA Immerse Vancouver • Jun 10 Coming soon Seattle, WA Immerse Seattle • Jun 18 Coming soon Las Vegas, NV Black Hat USA • Aug 3 - Aug 6 Coming soon Denver, CO NASTD Annual • Aug 23 - Aug 26 Coming soon Las Vegas, NV Crowdstrike fal.con • Aug 31 - Sept 1 Coming soon San Diego, CA NASCIO Annual • Sept 27 - Sept 30 Coming soon Denver, CO EDUCAUSE Annual • Sept 29 - Oct 2 Coming soon Santiago, CL Immerse Santiago, Chile • Oct Coming soon San Francisco, CA Cloudflare Global Connect 2026 • Oct 19 - Oct 20 Coming soon Orlando, FL Gartner IT Symposium • Oct 19 - Oct 20 Coming soon Atlanta, GA Immerse Atlanta • Nov 12 Coming soon Las Vegas, NV AWS re:Invent • Nov 30 - Dec 4 Coming soon COMECE A USAR Planos Gratuitos Planos para pequenas empresas Para empresas Obtenha uma recomendação Solicite uma demonstração Entre em contato com vendas SOLUÇÕES Nuvem de conectividade Serviços de aplicativos SASE e segurança do espaço de trabalho Serviços de rede Plataforma para desenvolvedores SUPORTE Central de Atendimento Suporte ao cliente Fórum da comunidade Discord para desenvolvedores Perdeu o acesso à conta? Status da Cloudflare CONFORMIDADE Recursos de conformidade Confiança RGPD IA responsável Relatório de transparência Notifique o abuso INTERESSE PÚBLICO Projeto Galileo Projeto Athenian Cloudflare para Campanhas Project Fairshot EMPRESA Sobre a Cloudflare Mapa de rede Nossa equipe Logotipos e kit para a imprensa Diversidade, equidade e inclusão Impacto/ESG © 2026 Cloudflare, Inc. Política de privacidade Termos de Uso Denuncie problemas de segurança Confiança e segurança Preferências de cookies Marca registrada Impressum | 2026-01-13T09:29:34 |
https://www.ecns.cn/hd/2026-01-04/detail-iheymvap1612569.shtml#4 | International ice sculpture competition heats up in Harbin --> 中文 Home News Ecns Wire Business Travel Photo Video Voices RIGHT BG LINE Text: A A A Print Photo International ice sculpture competition heats up in Harbin ( 1 /10) 2026-01-04 10:20:27 Ecns.cn Editor :Zhao Li Members of a team from St. Petersburg, Russia, work on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026.(Photo: China News Service/Zhao Yuhang) The competition has attracted 38 teams and 76 artists from 12 countries, including Australia, Poland, France, the United States, Spain, India and China. A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A contestant from Mongolia works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Aerial photo) (Photo: Yu Kun) A contestant from Mongolia works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Aerial photo) (Photo: Yu Kun) Members of a China?Russia joint team carve an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, Jan. 3, 2026. (Aerial photo/ Yu Kun) The work was created to mark the 10th anniversary of the sister-city relationship between Harbin and Murmansk, Russia. (Photo: Yu Kun) A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Spanish contestant works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Spanish contestant works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) Previous The competition has attracted 38 teams and 76 artists from 12 countries, including Australia, Poland, France, the United States, Spain, India and China.--> The work was created to mark the 10th anniversary of the sister-city relationship between Harbin and Murmansk, Russia. (Photo: Yu Kun)--> Next (1) (2) (3) (4) (5) (6) (7) (8) (9) (10) LINE More Photo Mourners pay tribute to Crans-Montana bar fire victims Venezuelan leader Maduro brought to New York Highlights of Chinese President Xi Jinping's 2026 New Year message Beijing-Tangshan intercity railway starts full-line operation First 'Grassland curling' attracts 350 competitors China launches two new satellites for space target detection test ${visuals_2} ${visuals_3} More Video (W.E. Talk) Experts on 2026: China's 15th Five-Year Plan significant for the World (W.E. Talk) Experts look to 2026: Seizing opportunities amid crises, forging ahead after breakthroughs The Awkward Chronicles of Uncle Sam: Claimed Glory, Met Chaos The Dunhuang Flying Dancers in the 1,360°C kiln fire The Awkward Chronicles of Uncle Sam: Tariff Bullying and Backfire (W.E. Talk) Experts' review on 2025: China serves as a stabilizing force in a world of turmoil and chaos ${new_video_hd2} ${new_video_hd3} LINE Media partners: People's Daily | Xinhua | CGTN | China Daily Back to top About Us | Jobs | Contact Us | Privacy Policy Copyright ©1999-2026 Chinanews.com. All rights reserved. Reproduction in whole or in part without permission is prohibited. [ 网上传播视听节目许可证(0106168) ] [ 京ICP证040655号 ] [ 京公网安备 11010202009201号 ] [ 京ICP备05004340号-1 ] --> --> | 2026-01-13T09:29:34 |
https://www.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT3IWyCUG1-4UvYL2ljswjKnsMnT4lhZrlGZTlLOyEYbNa8HYbtpggv47cM9v9YilU9pLdNIN2tM3D2mR_Rdt9OWzBu3nh6sUH9gpaJEJcrToliCVuNi4mactKE0e0lmfD8l-7Fjbzazvgd5 | Facebook Facebook 이메일 또는 휴대폰 비밀번호 계정을 잊으셨나요? 새 계정 만들기 일시적으로 차단됨 일시적으로 차단됨 회원님의 이 기능 사용 속도가 너무 빠른 것 같습니다. 이 기능 사용에서 일시적으로 차단되었습니다. Back 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026 | 2026-01-13T09:29:34 |
https://vi-vn.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.threads.com%252F%26amp%253Bh%3DAT3MxmFOjrt9aYBchLGSKdPWPfqoZ8uVG0I8P68QD7mSg88iRNJ5L0erzaBuBAleA5IMC20JuDj-z-Oqq62-c2azKmDlWxvSkmqhyahLZ8nKqNZvqThtJ2lJViTfMFkgbIO1AoRKvSc2r498 | Facebook Facebook Email hoặc điện thoại Mật khẩu Bạn quên tài khoản ư? Tạo tài khoản mới Bạn tạm thời bị chặn Bạn tạm thời bị chặn Có vẻ như bạn đang dùng nhầm tính năng này do sử dụng quá nhanh. Bạn tạm thời đã bị chặn sử dụng nó. Back Tiếng Việt 한국어 English (US) Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch Đăng ký Đăng nhập Messenger Facebook Lite Video Meta Pay Cửa hàng trên Meta Meta Quest Ray-Ban Meta Meta AI Nội dung khác do Meta AI tạo Instagram Threads Trung tâm thông tin bỏ phiếu Chính sách quyền riêng tư Trung tâm quyền riêng tư Giới thiệu Tạo quảng cáo Tạo Trang Nhà phát triển Tuyển dụng Cookie Lựa chọn quảng cáo Điều khoản Trợ giúp Tải thông tin liên hệ lên & đối tượng không phải người dùng Cài đặt Nhật ký hoạt động Meta © 2026 | 2026-01-13T09:29:34 |
http://www.facebook.com/r.php?r=101 | Facebook Facebook 이메일 또는 휴대폰 비밀번호 계정을 잊으셨나요? 가입하기 일시적으로 차단됨 일시적으로 차단됨 회원님의 이 기능 사용 속도가 너무 빠른 것 같습니다. 이 기능 사용에서 일시적으로 차단되었습니다. Back 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026 | 2026-01-13T09:29:34 |
https://zh-cn.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT3IWyCUG1-4UvYL2ljswjKnsMnT4lhZrlGZTlLOyEYbNa8HYbtpggv47cM9v9YilU9pLdNIN2tM3D2mR_Rdt9OWzBu3nh6sUH9gpaJEJcrToliCVuNi4mactKE0e0lmfD8l-7Fjbzazvgd5 | Facebook Facebook 邮箱或手机号 密码 忘记账户了? 创建新账户 你暂时被禁止使用此功能 你暂时被禁止使用此功能 似乎你过度使用了此功能,因此暂时被阻止,不能继续使用。 Back 中文(简体) 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 日本語 Português (Brasil) Français (France) Deutsch 注册 登录 Messenger Facebook Lite 视频 Meta Pay Meta 商店 Meta Quest Ray-Ban Meta Meta AI Meta AI 更多内容 Instagram Threads 选民信息中心 隐私政策 隐私中心 关于 创建广告 创建公共主页 开发者 招聘信息 Cookie Ad Choices 条款 帮助 联系人上传和非用户 设置 动态记录 Meta © 2026 | 2026-01-13T09:29:34 |
https://pt-br.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.threads.com%252F%26amp%253Bh%3DAT3MxmFOjrt9aYBchLGSKdPWPfqoZ8uVG0I8P68QD7mSg88iRNJ5L0erzaBuBAleA5IMC20JuDj-z-Oqq62-c2azKmDlWxvSkmqhyahLZ8nKqNZvqThtJ2lJViTfMFkgbIO1AoRKvSc2r498 | Facebook Facebook Email ou telefone Senha Esqueceu a conta? Criar nova conta Você está bloqueado temporariamente Você está bloqueado temporariamente Parece que você estava usando este recurso de forma indevida. Bloqueamos temporariamente sua capacidade de usar o recurso. Back Português (Brasil) 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Français (France) Deutsch Cadastre-se Entrar Messenger Facebook Lite Vídeo Meta Pay Meta Store Meta Quest Ray-Ban Meta Meta AI Mais conteúdo da Meta AI Instagram Threads Central de Informações de Votação Política de Privacidade Central de Privacidade Sobre Criar anúncio Criar Página Desenvolvedores Carreiras Cookies Escolhas para anúncios Termos Ajuda Upload de contatos e não usuários Configurações Registro de atividades Meta © 2026 | 2026-01-13T09:29:34 |
https://chromewebstore.google.com/detail/category/top-charts/detail/askbelynda-sustainable-sh/category/extensions/productivity/detail/adobe-acrobat-pdf-edit-co/efaidnbmnnnibpcajpcglclefindmkaj | Chrome Web Store Skip to main content Chrome Web Store My extensions & themes Developer Dashboard Give feedback Sign in Discover Extensions Themes Welcome to Chrome Web Store Welcome to the Chrome Web Store Supercharge your browser with extensions and themes for Chrome See collection Favorites of 2025 Discover the standout AI extensions that made our year See collection Every day is Earth Day Plant trees, shop sustainably, and more See collection Adobe Photoshop Easily remove backgrounds, adjust colors and more. Plus, get 6 months free access to Photoshop web. 3.7 600K Users See details The future of writing Elevate your writing and create engaging and high-quality content effortlessly See collection 1 / 5 Top categories Shopping Entertainment Tools Art & Design Accessibility Top charts Trending Kami for Google Chrome™ Education 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. BetterCampus (prev. BetterCanvas) Education 4.9 Average rating 4.9 out of 5 stars. Learn more about results and reviews. Read&Write for Google Chrome™ Accessibility 3.4 Average rating 3.4 out of 5 stars. Learn more about results and reviews. See more Popular Volume Master Accessibility 4.8 Average rating 4.8 out of 5 stars. Learn more about results and reviews. Free VPN for Chrome - VPN Proxy VeePN Workflow & Planning 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. AdBlock — block ads across the web Workflow & Planning 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. See more New and notable Ad Block Wonder Privacy & Security 4.3 Average rating 4.3 out of 5 stars. Learn more about results and reviews. Smart popup blocker Tools 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Manus AI Browser Operator Tools 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. See more Editors' Picks for you Handpicked by Chrome Editors See collection Extend your browser See more Discover a new level of convenience and customization with side panel extensions Chat with all AI models (Gemini, Claude, DeepSeek…) & AI Agents | AITOPIA 4.9 Average rating 4.9 out of 5 stars. Learn more about results and reviews. AI Agent Marketplace & AI Sidebar with all AI models (Gemini, Claude, DeepSeek & more) and hundreds of AI Agents Adobe Photoshop 3.7 Average rating 3.7 out of 5 stars. Learn more about results and reviews. Easily remove backgrounds, adjust colors and more. Plus, get 6 months free access to Photoshop web. BrowserGPT: ChatGPT Anywhere Powered by GPT 4 4.4 Average rating 4.4 out of 5 stars. Learn more about results and reviews. Write, reword, and translate 8x faster. Reply to emails in a click. Works on Google Docs, Gmail, YouTube, Twitter, Instagram, etc. Sidebar: ChatGPT, Bookmarks, GPT-4o | Meomni 4.8 Average rating 4.8 out of 5 stars. Learn more about results and reviews. Ultimate Sidebar ChatGPT Assistant, Bookmarks with AI, Calendar and Tasks Fleeting Notes 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Quick notes from the browser to Obsidian Eclipse your screen Dim the lights with our dark mode selections See collection Chrome monthly spotlight Promising extensions to try out Web Highlights: PDF & Web Highlighter + Notes & AI Summary Productivity Highlighter & Annotation Tool for Websites & PDFs with AI Summary - free, easy to use, no sign-up required. Moonlight: AI Colleague for Research Papers Everything you need to read a paper: explanation, summary, translation, chat, and reference search. Reboost - Track Water Intake and Set Reminders Track your water intake and set custom reminders. Stay hydrated, stay on track, and never miss a break! ✨ YouTube Notes to Notion with Udemy, Coursera, BiliBili and more by Snipo Take YouTube notes directly to Notion, generate AI flashcards, capture screenshots, and sync learning courses with Notion Works with Gmail See more Boost your email productivity Boomerang for Gmail 4.2 Average rating 4.2 out of 5 stars. Learn more about results and reviews. Meeting scheduling and email management tool trusted by millions. Schedule meetings, track responses, send later, and more. Checker Plus for Gmail™ 4.7 Average rating 4.7 out of 5 stars. Learn more about results and reviews. Get notifications, read, listen to or delete emails without opening Gmail and easily manage multiple accounts. Email Tracker by Mailtrack® 4.4 Average rating 4.4 out of 5 stars. Learn more about results and reviews. Free, unlimited email tracker for Gmail, trusted by millions. Accurate, reliable, GDPR-compliant, and Google-audited. Streak CRM for Gmail 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. Manage sales and customer relationships directly inside Gmail. GMass: Powerful mail merge for Gmail 4.8 Average rating 4.8 out of 5 stars. Learn more about results and reviews. A powerful mass email and mail merge system for Gmail. Just for fun Bring some joy to your browser See collection Learn a new language See more Study while you browse Google Translate 4.2 Average rating 4.2 out of 5 stars. Learn more about results and reviews. View translations easily as you browse the web. By the Google Translate team. Rememberry - Translate and Memorize with Flashcards 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Translate words while browsing and turn them into spaced repetition flashcards to build foreign language vocabulary. DeepL: translate and write with AI 4.7 Average rating 4.7 out of 5 stars. Learn more about results and reviews. Translate while you read and write with DeepL Translate, the world’s most accurate translator. Relingo - Master vocabulary while browsing websites and watching YouTube 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Relingo extract words, full-text immersive translation while browsing. Also supports bilingual subtitles for Youtube, Netflix, etc. Readlang Web Reader 4.3 Average rating 4.3 out of 5 stars. Learn more about results and reviews. Read websites in the language you're learning, translate words you don't know, and we'll create flashcards to help you remember. Game on See more Beat boredom with bite-sized games in your browser BattleTabs 4.7 Average rating 4.7 out of 5 stars. Learn more about results and reviews. Multiplayer Battles in your New Tab Tiny Tycoon 4.7 Average rating 4.7 out of 5 stars. Learn more about results and reviews. Build a tiny tycoon on a tiny planet. Boxel 3D 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Boxel 3D is a speedrunning game packed with challenging levels, custom skins, online multiplayer, and a creative level editor. Ice Dodo 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Play 3D game easily by clicking the little icon at the top right corner of your browser. Boxel Golf 4.7 Average rating 4.7 out of 5 stars. Learn more about results and reviews. Boxel Golf is a multiplayer golf game packed with challenging courses, custom hats, and a powerful level builder. Work smarter, not harder with AI Automate tasks and stay focused and organized with AI-powered productivity extensions See collection For music lovers See more Equalizers, radios, playlists, and more Volume Master 4.8 Average rating 4.8 out of 5 stars. Learn more about results and reviews. Up to 600% volume boost Music Mode for YouTube™ 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. Hides the video and thumbnails on YouTube. Blocks the video keeping only the audio on YouTube Music. Smart Mute 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. Listen to audio one tab at a time. Modest Guitar | Columns for Ultimate-Guitar 4.8 Average rating 4.8 out of 5 stars. Learn more about results and reviews. Multiple columns and fullscreen for Ultimate-Guitar tabs Chrome Piano 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. Play the piano in your browser Google apps About Chrome Web Store Developer Dashboard Privacy Policy Terms of Service Help | 2026-01-13T09:29:34 |
https://service.weibo.com/share/share.php?appkey=2152474398&type=3&title=2小时40余个问题,护士节中国援鄂护士与170余位印尼同行“云端”分享抗疫经验&pic=https://www.chinadaily.com.cn/image_e/2020/logo21.jpg&url=https://cn.chinadaily.com.cn/a/202005/12/WS5eba58d8a310eec9c72b8589.html | 分享到微博-微博-随时随地分享身边的新鲜事儿 微博 加入微博一起分享新鲜事 登录 | 注册 140 请登录并选择要私信的好友 300 赞一下这个内容 公开 分享 获取分享按钮 正在发布微博,请稍候 | 2026-01-13T09:29:34 |
https://www.chinadaily.com.cn/sports/volleyball | Volleyball - Chinadaily.com.cn Search HOME CHINA WORLD BUSINESS LIFESTYLE CULTURE TRAVEL VIDEO SPORTS OPINION REGIONAL NEWSPAPER MOBILE Global Edition ASIA 中文 双语 Français HOME CHINA WORLD BUSINESS LIFESTYLE CULTURE TRAVEL VIDEO SPORTS OPINION REGIONAL NEWSPAPER China Daily PDF China Daily E-paper MOBILE Sports Soccer Basketball Volleyball Tennis Golf Track & field Swimming Home / Sports / Volleyball Home Sports / Volleyball China rallies to beat Mexico in women's volleyball World Championship opener 2025-08-24 13:07 Young bloods display skill, sweat and tears 2025-06-10 09:40 Courting a deeper connection 2025-05-31 10:25 Thailand will host FIVB Volleyball Women's World Championship 2025 2025-05-08 16:02 New coach looks to lead China back to glory 2025-04-11 10:12 New coach for China women's volleyball team 2025-04-10 15:18 Former senior official of volleyball under investigation 2025-01-10 20:40 FIVB new president Azevedo foresees bright future of volleyball 2024-11-27 10:11 Hui Ruoqi: From spikes to strides 2024-07-26 15:38 Building dreams: Hui Ruoqi and her 100 volleyball courts 2024-07-16 08:39 China exits from VNL Women's Final with defeat to Japan 2024-06-20 21:48 China sweeps Bulgaria in Women's Volleyball Nations League 2024-06-12 08:54 Team China's form courts criticism 2024-06-05 07:09 Zhuper-star's return lifts Team China 2024-04-10 09:00 Eczacibasi claims title, Tianjin wins historic bronze at FIVB Women's Club Worlds 2023-12-18 10:10 China's Ding wins volleyball Polish Supercup with Chemik Police 2023-10-26 10:18 Net gains for men's team, says coach Wu 2023-07-18 09:46 Rising stars shine in silver medal success 2023-07-18 09:27 Turkiye claims FIVB women's VNL title 2023-07-17 09:30 China sweeps Poland, to battle Türkiye 2023-07-16 16:08 1 2 3 4 5 6 7 8 9 10 Next >>| 1/14 Next Most Popular China ties Iraq 0-0 in its U23 Asian Cup opening match A learning curve Russian team wins Harbin International Ice Sculpture Competition Worldloppet ski season opens with Changchun cross-country event Women's half-marathon draws 20,000 runners to Guangzhou Picture perfect Highlights Venus still a force at 45, despite Auckland loss Reboot begins with hard work Russian team wins Harbin International Ice Sculpture Competition What's Hot Worldloppet ski season opens with Changchun cross-country event Special Chengdu World University Games Winter sports in China NHL plays in China Top BACK TO THE TOP English 中文 HOME CHINA WORLD BUSINESS LIFESTYLE CULTURE TRAVEL VIDEO SPORTS OPINION REGIONAL NEWSPAPER China Daily PDF China Daily E-paper MOBILE Copyright 1994 - . All rights reserved. The content (including but not limited to text, photo, multimedia information, etc) published in this site belongs to China Daily Information Co (CDIC). Without written authorization from CDIC, such content shall not be republished or used in any form. Note: Browsers with 1024*768 or higher resolution are suggested for this site. License for publishing multimedia online 0108263 Registration Number: 130349 About China Daily Advertise on Site Contact Us Job Offer Expat Employment FOLLOW US Copyright 1994 - . All rights reserved. The content (including but not limited to text, photo, multimedia information, etc) published in this site belongs to China Daily Information Co (CDIC). Without written authorization from CDIC, such content shall not be republished or used in any form. --> | 2026-01-13T09:29:34 |
https://id-id.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.threads.com%252F%26amp%253Bh%3DAT3MxmFOjrt9aYBchLGSKdPWPfqoZ8uVG0I8P68QD7mSg88iRNJ5L0erzaBuBAleA5IMC20JuDj-z-Oqq62-c2azKmDlWxvSkmqhyahLZ8nKqNZvqThtJ2lJViTfMFkgbIO1AoRKvSc2r498 | Facebook Facebook Email atau telepon Kata Sandi Lupa akun? Buat Akun Baru Anda Diblokir Sementara Anda Diblokir Sementara Sepertinya Anda menyalahgunakan fitur ini dengan menggunakannya terlalu cepat. Anda dilarang menggunakan fitur ini untuk sementara. Back Bahasa Indonesia 한국어 English (US) Tiếng Việt ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch Daftar Masuk Messenger Facebook Lite Video Meta Pay Meta Store Meta Quest Ray-Ban Meta Meta AI Konten Meta AI lainnya Instagram Threads Pusat Informasi Pemilu Kebijakan Privasi Pusat Privasi Tentang Buat Iklan Buat Halaman Developer Karier Cookie Pilihan Iklan Ketentuan Bantuan Pengunggahan Kontak & Non-Pengguna Pengaturan Log aktivitas Meta © 2026 | 2026-01-13T09:29:34 |
https://cn.chinadaily.com.cn/a/202511/21/WS69201e69a310942cc4992b47.html | 每日一词 | “千万工程” Green Rural Revival Program - 中国日报网 每日一词 | “千万工程” Green Rural Revival Program 11月18日至19日,全国学习运用“千万工程”经验、推进乡村全面振兴现场会在浙江嘉兴召开。 站内搜索 搜狗搜索 中国搜索 --> 订阅 移动 English 首页 时政 时政要闻 评论频道 理论频道 学习时代 两岸频道 资讯 独家 中国日报专稿 传媒动态 每日一词 法院公告 C财经 证券 独家 科技 产业 视频 专栏 双语 双语财讯 每日一词 双语新闻 新闻热词 译词课堂 --> 漫画 观天下 中国观察 中国日报网评 中国那些事儿 海外手记 侨一瞧 地方 文创 文旅 生活 中国有约 China Daily Homepage 中文网首页 时评 资讯 C财经 生活 视频 专栏 双语 --> 漫画 原创 观天下 地方频道 --> 关闭 中国日报网 > 每日一词 > 每日一词 | “千万工程” Green Rural Revival Program 来源:中国日报网 2025-11-21 16:10 --> 分享到微信 2025年11月18日至19日,全国学习运用“千万工程”经验、推进乡村全面振兴现场会在浙江嘉兴召开。中共中央政治局委员、国务院副总理刘国中出席会议并讲话。他强调,要以学习运用“千万工程”经验为引领,推动乡村全面振兴不断迈上新台阶。 Chinese Vice Premier Liu Guozhong urged efforts to learn from and apply the experience gained from the Green Rural Revival Program to steadily advance all-around rural revitalization. Liu, also a member of the Political Bureau of the Communist Party of China Central Committee, made the remarks while attending a conference on promoting experience gained from the Green Rural Revival Program in Jiaxing, east China's Zhejiang Province, from November 18 to 19, 2025. 这是浙江省嘉兴市南湖区凤桥镇联丰村的村落景区(2025年11月18日摄,无人机照片)。图片来源:新华社 【知识点】 “千村示范、万村整治”工程是习近平总书记在浙江工作期间,亲自谋划、亲自部署、亲自推动的一项重大决策。2003年6月,时任浙江省委书记的习近平同志在广泛深入调查研究基础上,作出了实施“千万工程”的战略决策,提出从全省近4万个村庄中选择1万个左右的行政村进行全面整治,把其中1000个左右的中心村建成全面小康示范村。 “千万工程”以村庄环境综合整治为重点,浙江村庄人居环境得到明显改善。2011年以来,“千万工程”以美丽乡村建设为重点,推动广大乡村更加美丽宜居。系统推进规划科学布局美、村容整洁环境美、创业增收生活美、乡村文明身心美,宜居宜业宜游的农民幸福生活家园、市民休闲乐园等建设,推动美丽乡村建设从一处美向全域美、一时美向持久美、外在美向内在美、生态美向发展美、环境美向生活美转型。 二十余年跨越发展,“千万工程”造就了万千美丽乡村,也造福了广大农民群众,推动浙江成为农业现代化进程最快、乡村环境最美、农民生活最优、城乡发展最协调的省份之一。在当前中国加快城乡融合发展、推动美丽中国建设、全面推进乡村振兴的进程中,“千万工程”将进一步引领广大乡村建设发展,为实现中国式现代化奠定坚实基础。 【重要讲话】 要推进城乡区域协调发展,全面实施乡村振兴战略,实现巩固拓展脱贫攻坚成果同乡村振兴有效衔接,改善城乡居民生产生活条件,加强农村人居环境整治,培育文明乡风,建设美丽宜人、业兴人和的社会主义新乡村。 Local authorities should promote coordinated development between rural and urban areas, advance rural vitalization on all fronts, consolidate and expand the achievements made in poverty alleviation in coordination with the extensive drive for rural vitalization. They should improve the people's well-being and rural living environment, cultivate social etiquette and civility, and build a new socialist countryside that is beautiful, prosperous and harmonious. ——2021年3月7日,习近平在参加十三届全国人大四次会议青海代表团审议时的重要讲话 【相关词汇】 乡村全面振兴 all-around rural vitalization 和美乡村 beautiful and harmonious countryside 本文于“学习强国”学习平台首发 (未经授权不得转载) 【责任编辑:陈丹妮】 COMPO WS69201e69a310942cc4992b47 https://cn.chinadaily.com.cn/a/202511/21/WS69201e69a310942cc4992b47.html 每日一词 每日一词 | 全面依法治国 comprehensively promoting the rule of law 每日一词 | 辫子重卡 braided heavy truck 每日一词 | 对外使用国徽图案的办法 每日一词 | 农作物自主选育品种 self-bred crop varieties 每日一词 | 全国温室气体自愿减排交易市场 每日一词 | 再生有色金属产业 recycled non-ferrous metals industry 每日一词 | 民间投资 private investment 每日一词 | 第十五届全国运动会 the 15th National Games 推荐阅读 每日一词 | “千万工程” Green Rural Revival Program 盘点十五运会值得铭记的“再见” 赴美留学生大幅减少;美国高校面对多重压力 十五运会期间超过200万游客赴澳观赛旅游 商务部:10月我国消费市场平稳增长,消费潜力持续释放 白宫称已与乌克兰讨论和平计划 144位专家当选两院院士 全运会:江苏队夺得射箭复合弓混合团体金牌 为你推荐 神奇的中国 海外手记 和评理 中国那些事儿 世界说 中国观察 新华社 中国日报网评 侨一瞧 事事关心 每日一词 中国经济网 中国新闻网 环球时报 中央电视台 中央人民广播电台 解放军报 中国新闻周刊 人民日报海外版 中国青年网 经济日报 光明日报 中国军网 求是 中国侨网 消费日报网 中国警察网 参考消息网 中国搜索 海外网 法制网 环球网 中青在线 中工网 中国西藏网 中国台湾网 央广网 光明网 人民网 国际在线 中国网 未来网 每日一词 一财网 新华网 为你推荐 神奇的中国 海外手记 和评理 中国那些事儿 世界说 中国观察 新华社 中国日报网评 侨一瞧 事事关心 每日一词 中国经济网 中国新闻网 环球时报 中央电视台 中央人民广播电台 解放军报 中国新闻周刊 人民日报海外版 中国青年网 经济日报 光明日报 中国军网 求是 中国侨网 消费日报网 中国警察网 参考消息网 中国搜索 海外网 法制网 环球网 中青在线 中工网 中国西藏网 中国台湾网 央广网 光明网 人民网 国际在线 中国网 未来网 每日一词 一财网 新华网 推荐阅读 每日一词 | “千万工程” Green Rural Revival Program 盘点十五运会值得铭记的“再见” 赴美留学生大幅减少;美国高校面对多重压力 十五运会期间超过200万游客赴澳观赛旅游 商务部:10月我国消费市场平稳增长,消费潜力持续释放 白宫称已与乌克兰讨论和平计划 144位专家当选两院院士 全运会:江苏队夺得射箭复合弓混合团体金牌 关于我们 | 联系我们 首页 时评 资讯 财经 生活 视频 专栏 漫画 独家 招聘 地方频道: 北京 天津 河北 山西 辽宁 吉林 黑龙江 上海 江苏 浙江 福建 江西 山东 河南 湖北 湖南 广东 广西 海南 重庆 四川 贵州 云南 西藏 陕西 新疆 深圳 友情链接: 人民网 新华网 中国网 国际在线 央视网 中国青年网 中国经济网 中国台湾网 中国西藏网 央广网 光明网 中国军网 中国新闻网 人民政协网 法治网 违法和不良信息举报 互联网新闻信息服务许可证10120170006 信息网络传播视听节目许可证0108263号 京公网安备11010502032503号 京网文[2011]0283-097号 京ICP备13028878号-6 中国日报网版权说明:凡注明来源为“中国日报网:XXX(署名)”,除与中国日报网签署内容授权协议的网站外,其他任何网站或单位未经允许禁止转载、使用,违者必究。如需使用,请与010-84883777联系;凡本网注明“来源:XXX(非中国日报网)”的作品,均转载自其它媒体,目的在于传播更多信息,其他媒体如需转载,请与稿件来源方联系,如产生任何问题与本网无关。 版权保护:本网登载的内容(包括文字、图片、多媒体资讯等)版权属中国日报网(中报国际文化传媒(北京)有限公司)独家所有使用。 未经中国日报网事先协议授权,禁止转载使用。给中国日报网提意见:rx@chinadaily.com.cn C财经客户端 扫码下载 Chinadaily-cn 中文网微信 首页 时评 资讯 C财经 生活 视频 专栏 地方 漫画 观天下 PC版 中文 English 中国日报版权所有 Content@chinadaily.com.cn × | 2026-01-13T09:29:34 |
https://cloudflare.com/es-es/ai-solution/ | Soluciones de inteligencia artificial (IA) | Cloudflare Me interesa Idiomas English English (United Kingdom) Deutsch Español (Latinoamérica) Español (España) Français Italiano 日本語 한국어 Polski Português (Brasil) Русский 繁體中文 简体中文 Plataforma Conectividad cloud La conectividad cloud de Cloudflare ofrece más de 60 servicios de red, seguridad y rendimiento. Enterprise Para grandes y medianas empresas Pequeña empresa Para pequeñas empresas Socio ¡Hazte socio de Cloudflare! Casos de uso Moderniza tus aplicaciones Acelera el rendimiento Protege la disponibilidad de tus aplicaciones Optimiza tu experiencia web Moderniza tu seguridad Reemplaza tu VPN Protégete contra el phishing Protege las aplicaciones web y las API Moderniza tus redes Modelo de "red de cafetería" Moderniza tu WAN Simplifica tu red corporativa Temas para directivos Adopta la IA Integra la IA en los equipos de trabajo y las experiencias digitales Seguridad de la IA Protección de aplicaciones de IA agéntica e IA generativa Conformidad de los datos Mejora la conformidad y minimiza el riesgo. Criptografía poscuántica Protege los datos y cumple con las normas de conformidad. Sectores Servicios sanitarios Banca Minoristas Videojuegos Sector público Recursos Guías de producto Arquitecturas de referencia Informes de analistas Participa Eventos Demostraciones Seminarios web Talleres Solicita una demo Productos Productos Seguridad en el espacio de trabajo Acceso a la red Zero Trust Puerta de enlace web segura Seguridad del correo electrónico Agente de seguridad de acceso a la nube Seguridad para aplicaciones Protección DDoS de capa 7 Firewall de aplicaciones web Seguridad de la API Gestión de bots Rendimiento de aplicaciones CDN DNS Enrutamiento inteligente Load balancing Redes y SASE Protección DDoS de capas 3 y 4 NaaS/SD-WAN Firewall como servicio Interconexión de redes planes y precios Planes Enterprise Planes para pequeñas empresas Planes individuales Comparar planes Servicios globales Paquetes de soporte y éxito Experiencia optimizada de Cloudflare Servicios profesionales Implementación guiada por expertos Gestión técnica de cuentas Gestión técnica focalizada Servicio de operaciones de seguridad Supervisión y respuesta de Cloudflare Registro de dominios Compra y gestión de dominios 1.1.1.1 Resolución DNS gratuita Recursos Guías de producto Arquitecturas de referencia Informes de analistas Demos y recorridos de productos Ayúdame a elegir Desarrolladores Documentación Biblioteca para desarrolladores Documentación y guías Demos de aplicaciones Explora lo que puedes desarrollar Tutoriales Tutoriales de creación paso a paso Arquitectura de referencia Diagramas y patrones de diseño Productos Inteligencia artificial AI Gateway Observa y controla las aplicaciones de IA Workers AI Ejecuta modelos de aprendizaje automático en nuestra red Procesos Observability Registros, métricas y rastreos Workers Desarrolla e implementa aplicaciones sin servidor Contenido multimedia Images Transforma y optimiza imágenes Realtime Crea aplicaciones de audio y vídeo en tiempo real Almacenamiento y base de datos D1 Desarrolla bases de datos SQL sin servidor R2 Almacena datos sin costosas tarifas de salida Planes y precios Workers Desarrolla e implementa aplicaciones sin servidor Workers KV Almacén de pares clave-valor sin servidor para aplicaciones R2 Almacena datos sin costosas tarifas de salida Descubre proyectos Historias de nuestros clientes Demo de IA en 30 segundos Guía rápida para empezar Descubre Workers Playground Crea, prueba e implementa Discord para desarrolladores Únete a la comunidad Empezar Socios Red de socios Crece, innova y satisface las necesidades de los clientes con Cloudflare Portal de socios Encuentra recursos y registra acuerdos Tipos de socios Programa PowerUP Impulsa el crecimiento de tu negocio mientras garantizas la conexión y la protección de tus usuarios Socios tecnológicos Explora nuestro ecosistema de socios e integradores tecnológicos Integradores de sistemas globales Impulsa una transformación digital eficaz a gran escala Proveedores de servicios Descubre nuestra red de valiosos proveedores de servicios Programa de autoservicio para agencias Gestiona las cuentas de autoservicio de tus clientes Portal punto a punto Información sobre el tráfico de tu red Encontrar socio Saca el máximo partido a tu negocio - Conecta con los socios de Cloudflare Powered+. Recursos Participa Demos y recorridos por los productos Demostraciones de productos bajo demanda Casos prácticos Cloudflare, la clave del éxito Seminarios web Debates interesantes Talleres Foros virtuales Biblioteca Guías útiles, hojas de ruta y mucho más Informes Información a partir de las investigaciones de Cloudflare Blog Análisis técnicos y novedades de productos Centro de aprendizaje Herramientas educativas y contenido práctico Desarrolla Arquitectura de referencia Guías técnicas Guías de soluciones y productos Documentación de productos Documentación Documentación para desarrolladores Explora theNET Información estratégica para empresas digitales Cloudflare TV Series y eventos innovadores Cloudforce One Investigaciones y operaciones sobre amenazas Radar Tendencias del tráfico y la seguridad en Internet Informes de analistas Informes de estudios del sector Eventos Próximos eventos regionales Confianza, privacidad y conformidad Información y políticas de conformidad Soporte Te ayudamos Foro de la comunidad ¿Has perdido el acceso a tu cuenta? Discord para desarrolladores Te ayudamos Empresa información de la empresa Liderazgo Conoce a nuestros líderes Relaciones con inversores Información para inversores Prensa Consulta noticias recientes Empleo Consulta los puestos disponibles confianza, privacidad y seguridad Privacidad Política, datos y protección Confianza Política, proceso y seguridad Cumplimiento Certificación y regulación Transparencia Política y divulgaciones Interés público Asistencia humanitaria Proyecto Galileo Sector público Proyecto Athenian Elecciones Cloudflare For Campaigns Salud Project Fair Shot Red global Ubicaciones globales y estado Iniciar sesión Contacta con Ventas Acelera tu recorrido hacia la IA Ya tienes tu propia visión de la IA. Ahora, la plataforma unificada de seguridad, conectividad y desarrollo de Cloudflare te ayuda a ejecutar esa visión con mayor velocidad y seguridad. Solicitar una reunión Problema La complejidad reduce el impacto de la IA Las organizaciones tienen objetivos ambiciosos en materia de IA. Sin embargo, muchos proyectos se ven frenados por un desarrollo demasiado lento, problemas de escalabilidad y nuevos tipos de riesgos. El lento desarrollo de la IA Las complejas cadenas de herramientas y el panorama tecnológico en constante evolución frenan la innovación en IA. Los desafíos para la escalabilidad de la IA Las bases de usuarios globales, los picos de uso y los costes informáticos poco flexibles frenan el crecimiento de la IA. El riesgo cada vez mayor de la IA La visibilidad limitada, la gestión de riesgos complejos y la gobernanza de datos deficiente limitan el impacto de la IA, incluso con código generado por IA. Solución Cloudflare es tu único punto de control de la IA La conectividad cloud de Cloudflare permite a las organizaciones crear aplicaciones de IA, conectarlas y escalarlas, y proteger todo su ciclo de vida desde una única plataforma global. Desarrolla la IA Protege la IA Necesidades clave de la IA Crea una estrategia de IA o quédate atrás Los progresos y los nuevos casos de uso que ha ofrecido la IA durante el último año muestran su enorme potencial para transformar cómo trabajamos y cómo consumimos la información. Hay una gran presión para ofrecer una estrategia de IA que incluya cómo tu empresa puede consumir IA, cómo puedes proteger tu propiedad intelectual y cómo puedes integrar componentes de IA en tus aplicaciones internas y externas. Innovación más rápida Crea aplicaciones de IA con mayor rapidez, menores costes y mayor agilidad, independientemente del modelo de IA. Escala global Ofrece experiencias fiables y rápidas en complejas pilas de IA y bases de usuarios globales. Seguridad integrada Conoce y gestiona los riesgos de la IA sin perderte en paneles de control o actualizaciones constantes de políticas. Libro electrónico: Guía sobre cómo proteger y escalar la IA para empresas Descubre por qué las empresas tienen dificultades para desarrollar y proteger de manera efectiva la infraestructura de IA a escala, por qué la infraestructura de IA de los hiperescaladores suele ser insuficiente y cómo superar esas dificultades. Leer libro electrónico Los líderes mundiales, incluido el 30 % de las empresas de la lista Fortune 1000, confían en Cloudflare ¿Deseas hablar con uno de nuestros expertos? Solicitar reunión Cómo funciona Una plataforma unificada de servicios de seguridad, conectividad y desarrollo de IA Los servicios de IA de Cloudflare están diseñados para funcionar en cualquier lugar de nuestra red global de + 330 ciudades, y ya los utiliza el 80 % de las 50 principales empresas de IA generativa. Desarrollo Crea aplicaciones integrales de IA con acceso a más de 50 modelos de IA en nuestra red global. Crea y ejecuta agentes sin necesidad de pagar por el tiempo de espera. Más información Connect Controla y observa las aplicaciones basadas en IA, al tiempo que reduces los costes de inferencia y enrutas el tráfico de forma dinámica. Desarrolla servidores MCP que se ejecutan en nuestra red global Más información Protege Amplía la visibilidad, mitiga los riesgos y protege los datos durante todo el ciclo de vida de la IA. Controla cómo los rastreadores de IA pueden acceder al contenido de tu sitio web. Más información Cloudflare ayuda a Indeed a detectar y gestionar el uso de la Shadow AI Indeed, importante portal de empleo, quería conocer mejor y controlar las aplicaciones de IA que utilizaban sus empleados. Recurrieron a Cloudflare AI Security Suite , que ayuda a detectar patrones de uso de la IA y a aplicar políticas de uso de datos. Ahora, Indeed avanza hacia el equilibrio adecuado entre innovación y control. "Cloudflare nos ayuda a detectar los riesgos de la Shadow AI y a bloquear aplicaciones y bots de chat de IA no autorizados". CÓMO EMPEZAR Planes gratuitos Planes para pequeñas empresas Para empresas Sugerencias Solicita una demostración Contactar con ventas SOLUCIONES Conectividad cloud Servicios para aplicaciones SASE y seguridad en el espacio de trabajo Servicios de red Plataforma para desarrolladores SOPORTE Centro de ayuda Atención al cliente Foro de la comunidad Discord para desarrolladores ¿Has perdido el acceso a tu cuenta? Estado de Cloudflare CONFORMIDAD Recursos de conformidad Confianza RGPD IA responsable Informe de transparencia Notificar abuso INTERÉS PÚBLICO Proyecto Galileo Proyecto Athenian Cloudflare for Campaigns Project Fair Shot EMPRESA Acerca de Cloudflare Mapa de red Nuestro equipo Logotipos y dossier de prensa Diversidad, equidad e inclusión Impact/ESG © 2026 Cloudflare, Inc. Política de privacidad Condiciones de uso Informar sobre problemas de seguridad Confianza y seguridad Preferencias de cookies Marca | 2026-01-13T09:29:34 |
https://www.tumblr.com/about | About Tumblr About Careers Advertising Press Resources Help Center Logo Buttons Developers Bug bounty program Policy Terms of Service Community Guidelines Privacy Policy Global Advertising Policy Copyright English Deutsch Français Italiano 日本語 Türkçe Español Pусский Polski Português (PT) Português (BR) Nederlands 한국어 简体中文 繁體中文 (台灣) 繁體中文 (香港) Bahasa Indonesia हिंदी About Careers Advertising Press Resources Help Center Logo Buttons Developers Bug bounty program Policy Terms of Service Community Guidelines Privacy Policy Global Advertising Policy Copyright English Deutsch Français Italiano 日本語 Türkçe Español Pусский Polski Português (PT) Português (BR) Nederlands 한국어 简体中文 繁體中文 (台灣) 繁體中文 (香港) Bahasa Indonesia हिंदी about Tumblr is a website. Social network? No, it's a mycelial network. It's wholesome chaos. It's the gay people in your phone. It's your angel. It's your devil. T u m b l r i s w h a t e v e r y o u w a n t i t t o b e . Oh, and influencers? Don't even go here. This is your space. Every video you find, every quote you reblog, every tag you curate, every waterfall GIF you secretly gaze at in wonder—that's all you. You're the explorer. We're just a map you all keep on making. Welcome home. Welcome to weird. Make it yours. #this is not a real post   #sorry 69420 notes Explore Tumblr Learn more ↓️ about top ten facts We were founded in 2007. Matt Mullenweg is our CEO. You can find him at @photomatt . There are blogs on Tumblr and were made yesterday alone. posts were made yesterday. There are celebrities on Tumblr, but no blue checks ( except these silly ones ). Celebrities really are just like us, on Tumblr at least. Our headquarters is: 60 29th Street #343 San Francisco, CA 94110 Tumblr is available in languages. If someone compliments your shoelaces , they're probably trying to figure out if you have a Tumblr . We've heard that getting started on Tumblr can be a bit daunting, so we've put together a guide for new (and returning!) users . The top five topics on Tumblr right now are: #hello it's another fake post   #fun facts 69420 notes what is tumblr? well... here's some of what our community has to say: about kenstewdivorce Follow kenstewdivorce Follow People on tumblr are like "I'm handing all my mutuals a bowl of soup we are kissing with tongue we are the bestest of besties I am killing and dying for you" but sometimes me and the mutuals are posting completely different shit existing on the same blogging platform but really we're just standing in the alley going "ayup" at each other like fucking king of the hill. 138369 Notes about rainbowsightings Follow rainbowsightings Follow 27579 Notes about coughloop Follow coughloop Follow Everyone on Tumblr is friends with each other 401 Notes about zvaigzdelasas Follow zvaigzdelasas Follow "You're wasting your time posting on tumblr" not if you meet your beloved because of how much you Post. Then it's worth it 1108 Notes about foone Follow foone Follow All good choices, Tumblr. Thanks. 6312 Notes about wildzero Follow wildzero Follow 4353 Notes about doggirlhen Follow aroacehirano Follow not the twitter migrants putting "reblog heavy" in their bios on here... like yeah. that's what we do here doggirlhen Follow ALT reblog heavy 140844 Notes about cyle Follow fairycosmos Follow i can't believe i still use tumblr in 2023 i feel like an old guy who stubbornly refuses to get a mobile cuz house phones work perfectly fine. and he's right 21120 Notes about cockworkangels Follow cockworkangels Follow wow this is too intimate to share with my close friends or family let me put this on my tumblr blog for hundreds of strangers to see 137241 Notes about nyancrimew Follow photomatt asked: If you were Tumblr CEO for a day, what would you do? nyancrimew answered: i would replace the crabs with maia kittens i think, everyone should get to befriend maia kittens nyancrimew Follow also hi matt can i replace you as the ceo now, did i pass the interview nyancrimew Follow day 1 of not being tumblr ceo yet 30016 Notes The Humans Behind Tumblr @action @art @blackexcellence @books @changes @engineering @entertainment @fandom @gaming @kpop @music @prideplus @staff @tips @wip Ready to explore? You'll never be bored again. Explore Tumblr Sign up | 2026-01-13T09:29:34 |
https://wiki.documentfoundation.org/Local_Mailing_Lists | Language/LocalMailingLists - The Document Foundation Wiki Jump to content Main menu Main menu move to sidebar hide Navigation Main page Get Involved Recent changes Random page Support LibreOffice! Editing the wiki Help resources The Document Foundation Wiki Search Search English Appearance Log in Personal tools Log in Contents move to sidebar hide Beginning 1 Warning 2 Bengali 3 Brazilian Portuguese Toggle Brazilian Portuguese subsection 3.1 Foruns na infraestrutura do LibreOffice 3.1.1 Usuários 3.1.2 Geral 3.1.3 Documentação em Português do Brasil 3.1.4 Qualidade 4 Bulgarian 5 Chinese 6 Chinese Simplified 7 Chinese Traditional 8 Croatian 9 Czech / Čeština 10 Danish 11 Dutch 12 English 13 Esperanto 14 Estonian 15 Farsi (Persian) 16 Finnish 17 French 18 Galician 19 German 20 Greek 21 Hindi 22 Hungarian 23 Icelandic 24 Italiano 25 Japanese 26 Korean 27 Lithuanian 28 Norwegian 29 Paraguay 30 Polish 31 Português 32 Romanian 33 Russian 34 Sinhala 35 Slovak 36 Slovenian 37 Spanish 38 Swedish 39 Tamil (தமிழ்) 40 Thai 41 Turkish 42 Vietnamese 43 US Toggle the table of contents Language/LocalMailingLists Page Discussion English Read View source View history Tools Tools move to sidebar hide Actions Read View source View history General What links here Related changes Special pages Printable version Permanent link Page information Appearance move to sidebar hide From The Document Foundation Wiki < Language (Redirected from Local Mailing Lists ) TDF LibreOffice Document Liberation Project Community Blogs Weblate Nextcloud Redmine Ask LibreOffice Donate Wiki Home Development Design QA Events Documentation Website Localization Accessibility Marketing Diversity Wiki Help The foundation Category Localization area Using Weblate Teams List of contributors Local mailing lists Other languages: Deutsch English Nederlands dansk español français galego italiano polski suomi монгол русский українська العربية 中文(中国大陆) 中文(臺灣) 日本語 한국어 The following local mailing lists are available for The Document Foundation and LibreOffice. Warning Everything you post to public mailing lists, including your e-mail address and other personal data contained in your e-mail , will be publicly archived and cannot be deleted. So, post wisely! Information on how to unsubscribe will be sent to you in the confirmation e-mail, and is shown in the footer of every message. Bengali announce@bn.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@bn.libreoffice.org Digest subscription: announce+subscribe-digest@bn.libreoffice.org Archives: https://listarchives.libreoffice.org/bn/announce/ Mail-Archive.com: http://www.mail-archive.com/announce@bn.libreoffice.org/ discuss@bn.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@bn.libreoffice.org Digest subscription: discuss+subscribe-digest@bn.libreoffice.org Archives: https://listarchives.libreoffice.org/bn/discuss/ Mail-Archive.com: http://www.mail-archive.com/discuss@bn.libreoffice.org/ users@bn.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@bn.libreoffice.org Digest subscription: users+subscribe-digest@bn.libreoffice.org Archives: https://listarchives.libreoffice.org/bn/users/ Mail-Archive.com: http://www.mail-archive.com/users@bn.libreoffice.org/ Brazilian Portuguese Foruns na infraestrutura do LibreOffice Usuários - Dúvidas sobre o LibreOffice, suporte da comunidade. https://ask.libreoffice.org/c/brazilian-portuguese/9 (inscreva-se para participar no Forum) Geral - Discussão sobre a Comunidade LibreOffice - Brasil, também sobre o incentivo ao Software Livre, congressos, eventos ... política, futebol e religião ;). https://community.documentfoundation.org/c/portuguese/general/8 (inscreva-se para participar no Forum) pt-geral@community.documentfoundation.org . Caso não esteja inscrito, este e-mail será moderado e dependerá da disponibilidade de tempo do moderador. Prefira inscrever-se no forum. Documentação em Português do Brasil - Para os interessados em ajudar com a Documentação do LibreOffice em Português - tradução e material original https://community.documentfoundation.org/c/portuguese/documentation/6 (inscreva-se para participar no Forum) pt-docs@community.documentfoundation.org . Caso não esteja inscrito, este e-mail será moderado e dependerá da disponibilidade de tempo do moderador. Prefira inscrever-se no forum. Qualidade - Para reportar um assunto relativo a qualidade, bug ou defeito em geral. Não serve pra tirar dúvidas. Podemos a nosso critério abrir um ticket no nosso bugzilla https://community.documentfoundation.org/c/portuguese/qa/7 pt-qualidade@community.documentfoundation.org . Caso não esteja inscrito, este e-mail será moderado e dependerá da disponibilidade de tempo do moderador. Prefira inscrever-se no forum. Bulgarian announce@bg.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@bg.libreoffice.org Digest subscription: announce+subscribe-digest@bg.libreoffice.org Archives: https://listarchives.libreoffice.org/bg/announce/ Mail-Archive.com: http://www.mail-archive.com/announce@bg.libreoffice.org/ discuss@bg.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@bg.libreoffice.org Digest subscription: discuss+subscribe-digest@bg.libreoffice.org Archives: https://listarchives.libreoffice.org/bg/discuss/ Mail-Archive.com: http://www.mail-archive.com/discuss@bg.libreoffice.org/ users@bg.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@bg.libreoffice.org Digest subscription: users+subscribe-digest@bg.libreoffice.org Archives: https://listarchives.libreoffice.org/bg/users/ Mail-Archive.com: http://www.mail-archive.com/users@bg.libreoffice.org/ Chinese announce@zh.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@zh.libreoffice.org Digest subscription: announce+subscribe-digest@zh.libreoffice.org Archives: https://listarchives.libreoffice.org/zh/announce/ Mail-Archive.com: http://www.mail-archive.com/announce@zh.libreoffice.org/ discuss@zh.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@zh.libreoffice.org Digest subscription: discuss+subscribe-digest@zh.libreoffice.org Archives: https://listarchives.libreoffice.org/zh/discuss/ Mail-Archive.com: http://www.mail-archive.com/discuss@zh.libreoffice.org/ users@zh.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@zh.libreoffice.org Digest subscription: users+subscribe-digest@zh.libreoffice.org Archives: https://listarchives.libreoffice.org/zh/users/ Mail-Archive.com: http://www.mail-archive.com/users@zh.libreoffice.org/ Chinese Simplified announce@zh-cn.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@zh-cn.libreoffice.org Digest subscription: announce+subscribe-digest@zh-cn.libreoffice.org Archives: https://listarchives.libreoffice.org/zh-cn/announce/ Mail-Archive.com: http://www.mail-archive.com/announce@zh-cn.libreoffice.org/ discuss@zh-cn.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@zh-cn.libreoffice.org Digest subscription: discuss+subscribe-digest@zh-cn.libreoffice.org Archives: https://listarchives.libreoffice.org/zh-cn/discuss/ Mail-Archive.com: http://www.mail-archive.com/discuss@zh-cn.libreoffice.org/ users@zh-cn.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@zh-cn.libreoffice.org Digest subscription: users+subscribe-digest@zh-cn.libreoffice.org Archives: https://listarchives.libreoffice.org/zh-cn/users/ Mail-Archive.com: http://www.mail-archive.com/users@zh-cn.libreoffice.org/ Chinese Traditional announce@zh-tw.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@zh-tw.libreoffice.org Digest subscription: announce+subscribe-digest@zh-tw.libreoffice.org Archives: https://listarchives.libreoffice.org/zh-tw/announce/ Mail-Archive.com: http://www.mail-archive.com/announce@zh-tw.libreoffice.org/ discuss@zh-tw.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@zh-tw.libreoffice.org Digest subscription: discuss+subscribe-digest@zh-tw.libreoffice.org Archives: https://listarchives.libreoffice.org/zh-tw/discuss/ Mail-Archive.com: http://www.mail-archive.com/discuss@zh-tw.libreoffice.org/ users@zh-tw.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@zh-tw.libreoffice.org Digest subscription: users+subscribe-digest@zh-tw.libreoffice.org Archives: https://listarchives.libreoffice.org/zh-tw/users/ Mail-Archive.com: http://www.mail-archive.com/users@zh-tw.libreoffice.org/ Croatian announce@hr.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@hr.libreoffice.org Digest subscription: announce+subscribe-digest@hr.libreoffice.org Archives: https://listarchives.libreoffice.org/hr/announce/ Mail-Archive.com: http://www.mail-archive.com/announce@hr.libreoffice.org/ discuss@hr.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@hr.libreoffice.org Digest subscription: discuss+subscribe-digest@hr.libreoffice.org Archives: https://listarchives.libreoffice.org/hr/discuss/ Mail-Archive.com: http://www.mail-archive.com/discuss@hr.libreoffice.org/ users@hr.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@hr.libreoffice.org Digest subscription: users+subscribe-digest@hr.libreoffice.org Archives: https://listarchives.libreoffice.org/hr/users/ Mail-Archive.com: http://www.mail-archive.com/users@hr.libreoffice.org/ Czech / Čeština lokalizace@cz.libreoffice.org : Localization and translations. Lokalizace a překlady. Přihlášení: lokalizace+subscribe@cz.libreoffice.org Přihlášení (shrnující maily): lokalizace+subscribe-digest@cz.libreoffice.org Archiv: https://listarchives.libreoffice.org/cz/lokalizace/ Mail-Archive.com: https://www.mail-archive.com/lokalizace@cz.libreoffice.org/ uzivatele@cz.libreoffice.org : User support for LibreOffice. Uživatelská podpora LibreOffice. Přihlášení: uzivatele+subscribe@cz.libreoffice.org Přihlášení (shrnující maily): uzivatele+subscribe-digest@cz.libreoffice.org Archiv: https://listarchives.libreoffice.org/cz/uzivatele/ Mail-Archive.com: https://www.mail-archive.com/uzivatele@cz.libreoffice.org/ Danish nyhedsbrev@da.libreoffice.org : Announcements and Press Releases Subscription: nyhedsbrev+subscribe@da.libreoffice.org Digest subscription: nyhedsbrev+subscribe-digest@da.libreoffice.org Archives: https://listarchives.libreoffice.org/da/nyhedsbrev/ Mail-Archive.com: https://www.mail-archive.com/nyhedsbrev@da.libreoffice.org/ dansk@da.libreoffice.org : Discussions about the project and the Community Subscription: dansk+subscribe@da.libreoffice.org Digest subscription: dansk+subscribe-digest@da.libreoffice.org Archives: https://listarchives.libreoffice.org/da/dansk/ Mail-Archive.com: https://www.mail-archive.com/dansk@da.libreoffice.org/ stavekontrol@da.libreoffice.org : Discussions about the spellchecker Subscription: stavekontrol+subscribe@da.libreoffice.org Digest subscription: stavekontrol+subscribe-digest@da.libreoffice.org Archives: https://listarchives.libreoffice.org/da/stavekontrol/ Mail-Archive.com: https://www.mail-archive.com/stavekontrol@da.libreoffice.org/ Dutch announce@nl.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@nl.libreoffice.org Digest subscription: announce+subscribe-digest@nl.libreoffice.org Archives: https://listarchives.libreoffice.org/nl/announce/ Mail-Archive.com: http://www.mail-archive.com/announce@nl.libreoffice.org/ discuss@nl.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@nl.libreoffice.org Digest subscription: discuss+subscribe-digest@nl.libreoffice.org Archives: https://listarchives.libreoffice.org/nl/discuss/ Mail-Archive.com: http://www.mail-archive.com/discuss@nl.libreoffice.org/ users@nl.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@nl.libreoffice.org Digest subscription: users+subscribe-digest@nl.libreoffice.org Archives: https://listarchives.libreoffice.org/nl/users/ Mail-Archive.com: http://www.mail-archive.com/users@nl.libreoffice.org/ documentatie@nl.libreoffice.org : Documentation work on LibreOffice Subscription: documentatie+subscribe@nl.libreoffice.org Digest subscription: documentatie+subscribe-digest@nl.libreoffice.org Archives: https://listarchives.libreoffice.org/nl/documentatie/ Mail-Archive.com: https://www.mail-archive.com/documentatie@nl.libreoffice.org/ English Global mailing lists in English language are listed at our main page . discuss@uk.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@uk.libreoffice.org Digest subscription: discuss+subscribe-digest@uk.libreoffice.org Archives: https://listarchives.libreoffice.org/uk/discuss/ Mail-Archive.com: https://www.mail-archive.com/discuss@uk.libreoffice.org/ Esperanto discuss@eo.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@eo.libreoffice.org Digest subscription: discuss+subscribe-digest@eo.libreoffice.org Archives: https://listarchives.libreoffice.org/eo/discuss/ Mail-Archive.com: https://www.mail-archive.com/discuss@eo.libreoffice.org/ Estonian users@et.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@et.libreoffice.org Digest subscription: users+subscribe-digest@et.libreoffice.org Archives: https://listarchives.libreoffice.org/et/users/ Mail-Archive.com: https://www.mail-archive.com/users@et.libreoffice.org/ Farsi (Persian) announce@fa.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@fa.libreoffice.org Digest subscription: announce+subscribe-digest@fa.libreoffice.org Archives: https://listarchives.libreoffice.org/fa/announce/ Mail-Archive.com: http://www.mail-archive.com/announce@fa.libreoffice.org/ discuss@fa.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@fa.libreoffice.org Digest subscription: discuss+subscribe-digest@fa.libreoffice.org Archives: https://listarchives.libreoffice.org/fa/discuss/ Mail-Archive.com: http://www.mail-archive.com/discuss@fa.libreoffice.org/ users@fa.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@fa.libreoffice.org Digest subscription: users+subscribe-digest@fa.libreoffice.org Archives: https://listarchives.libreoffice.org/fa/users/ Mail-Archive.com: http://www.mail-archive.com/users@fa.libreoffice.org/ Finnish announce@fi.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@fi.libreoffice.org Digest subscription: announce+subscribe-digest@fi.libreoffice.org Archives: https://listarchives.libreoffice.org/fi/announce/ Mail-Archive.com: http://www.mail-archive.com/announce@fi.libreoffice.org/ discuss@fi.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@fi.libreoffice.org Digest subscription: discuss+subscribe-digest@fi.libreoffice.org Archives: https://listarchives.libreoffice.org/fi/discuss/ Mail-Archive.com: http://www.mail-archive.com/discuss@fi.libreoffice.org/ users@fi.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@fi.libreoffice.org Digest subscription: users+subscribe-digest@fi.libreoffice.org Archives: https://listarchives.libreoffice.org/fi/users/ Mail-Archive.com: http://www.mail-archive.com/users@fi.libreoffice.org/ French announce@fr.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@fr.libreoffice.org Digest subscription: announce+subscribe-digest@fr.libreoffice.org Archives: https://listarchives.libreoffice.org/fr/announce/ Mail-Archive.com: http://www.mail-archive.com/announce@fr.libreoffice.org/ discuss@fr.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@fr.libreoffice.org Digest subscription: discuss+subscribe-digest@fr.libreoffice.org Archives: https://listarchives.libreoffice.org/fr/discuss/ Mail-Archive.com: http://www.mail-archive.com/discuss@fr.libreoffice.org/ users@fr.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@fr.libreoffice.org Digest subscription: users+subscribe-digest@fr.libreoffice.org Archives: https://listarchives.libreoffice.org/fr/users/ Mail-Archive.com: http://www.mail-archive.com/users@fr.libreoffice.org/ qa@fr.libreoffice.org : QA and testing Subscription: qa+subscribe@fr.libreoffice.org Digest subscription: qa+subscribe-digest@fr.libreoffice.org Archives: https://listarchives.libreoffice.org/fr/qa/ Mail-Archive.com: https://www.mail-archive.com/qa@fr.libreoffice.org/ doc@fr.libreoffice.org : Documentation Subscription: doc+subscribe@fr.libreoffice.org Digest subscription: doc+subscribe-digest@fr.libreoffice.org Archives: https://listarchives.libreoffice.org/fr/doc/ Mail-Archive.com: https://www.mail-archive.com/doc@fr.libreoffice.org/ Galician announce@gl.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@gl.libreoffice.org Digest subscription: announce+subscribe-digest@gl.libreoffice.org Archives: https://listarchives.libreoffice.org/gl/announce/ Mail-Archive.com: http://www.mail-archive.com/announce@gl.libreoffice.org/ discuss@gl.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@gl.libreoffice.org Digest subscription: discuss+subscribe-digest@gl.libreoffice.org Archives: https://listarchives.libreoffice.org/gl/discuss/ Mail-Archive.com: http://www.mail-archive.com/discuss@gl.libreoffice.org/ users@gl.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@gl.libreoffice.org Digest subscription: users+subscribe-digest@gl.libreoffice.org Archives: https://listarchives.libreoffice.org/gl/users/ Mail-Archive.com: http://www.mail-archive.com/users@gl.libreoffice.org/ German announce@de.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@de.libreoffice.org Digest subscription: announce+subscribe-digest@de.libreoffice.org Archives: https://listarchives.libreoffice.org/de/announce/ Mail-Archive.com: http://www.mail-archive.com/announce@de.libreoffice.org/ discuss@de.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@de.libreoffice.org Digest subscription: discuss+subscribe-digest@de.libreoffice.org Archives: https://listarchives.libreoffice.org/de/discuss/ Mail-Archive.com: http://www.mail-archive.com/discuss@de.libreoffice.org/ users@de.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@de.libreoffice.org Digest subscription: users+subscribe-digest@de.libreoffice.org Archives: https://listarchives.libreoffice.org/de/users/ Mail-Archive.com: http://www.mail-archive.com/users@de.libreoffice.org/ nds@de.libreoffice.org : Arbeitsliste für niederdeutsche Unterstützung in LibreOffice Anmeldung: nds+subscribe@de.libreoffice.org Abmeldung: nds+unsubscribe@de.libreoffice.org Anmeldung Zusammenfassung: nds+subscribe-digest@de.libreoffice.org Abmeldung Zusammenfassung: nds+unsubscribe-digest@de.libreoffice.org LO-Archiv: listarchives.libreoffice.org/de/nds/ Mail-Archive.com: www.mail-archive.com/nds@de.libreoffice.org/ Greek announce@el.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@el.libreoffice.org Digest subscription: announce+subscribe-digest@el.libreoffice.org Archives: https://listarchives.libreoffice.org/el/announce/ Mail-Archive.com: http://www.mail-archive.com/announce@el.libreoffice.org/ discuss@el.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@el.libreoffice.org Digest subscription: discuss+subscribe-digest@el.libreoffice.org Archives: https://listarchives.libreoffice.org/el/discuss/ Mail-Archive.com: http://www.mail-archive.com/discuss@el.libreoffice.org/ users@el.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@el.libreoffice.org Digest subscription: users+subscribe-digest@el.libreoffice.org Archives: https://listarchives.libreoffice.org/el/users/ Mail-Archive.com: http://www.mail-archive.com/users@el.libreoffice.org/ Hindi discuss@hi.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@hi.libreoffice.org Digest subscription: discuss+subscribe-digest@hi.libreoffice.org Archives: https://listarchives.libreoffice.org/hi/discuss/ Mail-Archive.com: https://www.mail-archive.com/discuss@hi.libreoffice.org/ Hungarian openscope@googlegroups.com : Hungarian translations for free software projects, including LibreOffice Subscription: openscope-subscribe@googlegroups.com Archives: http://groups.google.com/group/openscope?hl=hu forum@openoffice.hu : User support for OpenOffice.org and LibreOffice Subscription: http://www.openoffice.hu/cgi-bin/mailman/listinfo/forum Icelandic translation-team-is@lists.sourceforge.net : Icelandic translations for LibreOffice and other free software projects Subscription: translation-team-is-request@lists.sourceforge.net or https://lists.sourceforge.net/lists/listinfo/translation-team-is Archives: http://sourceforge.net/mailarchive/forum.php?forum_name=translation-team-is Italiano announce@it.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@it.libreoffice.org Digest subscription: announce+subscribe-digest@it.libreoffice.org Archives: https://listarchives.libreoffice.org/it/announce/ Mail-Archive.com: http://www.mail-archive.com/announce@it.libreoffice.org/ discuss@it.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@it.libreoffice.org Digest subscription: discuss+subscribe-digest@it.libreoffice.org Archives: https://listarchives.libreoffice.org/it/discuss/ Mail-Archive.com: http://www.mail-archive.com/discuss@it.libreoffice.org/ users@it.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@it.libreoffice.org Digest subscription: users+subscribe-digest@it.libreoffice.org Archives: https://listarchives.libreoffice.org/it/users/ Mail-Archive.com: http://www.mail-archive.com/users@it.libreoffice.org/ l10n@it.libreoffice.org : Localization of LibreOffice Subscription: l10n+subscribe@it.libreoffice.org Digest subscription: l10n+subscribe-digest@it.libreoffice.org Archives: https://listarchives.libreoffice.org/it/l10n/ Mail-Archive.com: https://www.mail-archive.com/l10n@it.libreoffice.org/ Japanese announce@ja.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@ja.libreoffice.org Digest subscription: announce+subscribe-digest@ja.libreoffice.org Archives: https://listarchives.libreoffice.org/ja/announce/ Mail-Archive.com: http://www.mail-archive.com/announce@ja.libreoffice.org/ discuss@ja.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@ja.libreoffice.org Digest subscription: discuss+subscribe-digest@ja.libreoffice.org Archives: https://listarchives.libreoffice.org/ja/discuss/ Mail-Archive.com: http://www.mail-archive.com/discuss@ja.libreoffice.org/ users@ja.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@ja.libreoffice.org Digest subscription: users+subscribe-digest@ja.libreoffice.org Archives: https://listarchives.libreoffice.org/ja/users/ Mail-Archive.com: http://www.mail-archive.com/users@ja.libreoffice.org/ Korean announce@ko.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@ko.libreoffice.org Digest subscription: announce+subscribe-digest@ko.libreoffice.org Archives: https://listarchives.libreoffice.org/ko/announce/ Mail-Archive.com: https://www.mail-archive.com/announce@ko.libreoffice.org/ users@ko.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@ko.libreoffice.org Digest subscription: users+subscribe-digest@ko.libreoffice.org Archives: https://listarchives.libreoffice.org/ko/users/ Mail-Archive.com: https://www.mail-archive.com/users@ko.libreoffice.org/ l10n@ko.libreoffice.org : Localization of LibreOffice Subscription: l10n+subscribe@ko.libreoffice.org Digest subscription: l10n+subscribe-digest@ko.libreoffice.org Archives: https://listarchives.libreoffice.org/ko/l10n/ Mail-Archive.com: https://www.mail-archive.com/l10n@ko.libreoffice.org/ Lithuanian naudotojai@akl.lt : User support for LibreOffice and other free software projects Subscription: naudotojai-request@akl.lt or https://lists.akl.lt/mailman/listinfo/naudotojai Archives: http://lists.akl.lt/pipermail/naudotojai/ Norwegian announce@no.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@no.libreoffice.org Digest subscription: announce+subscribe-digest@no.libreoffice.org Archives: https://listarchives.libreoffice.org/no/announce/ Mail-Archive.com: http://www.mail-archive.com/announce@no.libreoffice.org/ discuss@no.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@no.libreoffice.org Digest subscription: discuss+subscribe-digest@no.libreoffice.org Archives: https://listarchives.libreoffice.org/no/discuss/ Mail-Archive.com: http://www.mail-archive.com/discuss@no.libreoffice.org/ users@no.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@no.libreoffice.org Digest subscription: users+subscribe-digest@no.libreoffice.org Archives: https://listarchives.libreoffice.org/no/users/ Mail-Archive.com: http://www.mail-archive.com/users@no.libreoffice.org/ Paraguay marketing@py.libreoffice.org : Marketing for LibreOffice Subscription: marketing+subscribe@py.libreoffice.org Digest subscription: marketing+subscribe-digest@py.libreoffice.org Archives: https://listarchives.libreoffice.org/py/marketing/ Mail-Archive.com: https://www.mail-archive.com/marketing@py.libreoffice.org/ Polish announce@pl.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@pl.libreoffice.org Digest subscription: announce+subscribe-digest@pl.libreoffice.org Archives: https://listarchives.libreoffice.org/pl/announce/ Mail-Archive.com: http://www.mail-archive.com/announce@pl.libreoffice.org/ discuss@pl.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@pl.libreoffice.org Digest subscription: discuss+subscribe-digest@pl.libreoffice.org Archives: https://listarchives.libreoffice.org/pl/discuss/ Mail-Archive.com: http://www.mail-archive.com/discuss@pl.libreoffice.org/ users@pl.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@pl.libreoffice.org Digest subscription: users+subscribe-digest@pl.libreoffice.org Archives: https://listarchives.libreoffice.org/pl/users/ Mail-Archive.com: http://www.mail-archive.com/users@pl.libreoffice.org/ Português Pode aceder também por aqui ás listas de discussão: anuncios@pt.libreoffice.org : Anúncios e Press Releases Subscrição: anuncios+subscribe@pt.libreoffice.org Subscrição do Digest: anuncios+subscribe-digest@pt.libreoffice.org Arquivos: https://listarchives.libreoffice.org/pt/anuncios/ Mail-Archive.com: https://www.mail-archive.com/anuncios@pt.libreoffice.org/ discussao@pt.libreoffice.org : Discussão sobre o projeto e da Comunidade LibreOffice Portugal Subscrição: discussao+subscribe@pt.libreoffice.org Subscrição do Digest: discussao+subscribe-digest@pt.libreoffice.org Arquivos: https://listarchives.libreoffice.org/pt/discussao/ Mail-Archive.com: https://www.mail-archive.com/discussao@pt.libreoffice.org/ traducao@pt.libreoffice.org : Discussão sobre a tradução do LibreOffice Subscrição: traducao+subscribe@pt.libreoffice.org Subscrição do Digest: traducao+subscribe-digest@pt.libreoffice.org Arquivos: https://listarchives.libreoffice.org/pt/traducao/ Mail-Archive.com: https://www.mail-archive.com/traducao@pt.libreoffice.org/ utilizadores@pt.libreoffice.org : Suporte aos utilizadores da Comunidade LibreOffice Portugal Subscrição: utilizadores+subscribe@pt.libreoffice.org Subscrição do Digest: utilizadores+subscribe-digest@pt.libreoffice.org Arquivos: https://listarchives.libreoffice.org/pt/utilizadores/ Mail-Archive.com: https://www.mail-archive.com/utilizadores@pt.libreoffice.org/ Romanian announce@ro.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@ro.libreoffice.org Digest subscription: announce+subscribe-digest@ro.libreoffice.org Archives: https://listarchives.libreoffice.org/ro/announce/ Mail-Archive.com: https://www.mail-archive.com/announce@ro.libreoffice.org/ users@ro.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@ro.libreoffice.org Digest subscription: users+subscribe-digest@ro.libreoffice.org Archives: https://listarchives.libreoffice.org/ro/users/ Mail-Archive.com: https://www.mail-archive.com/users@ro.libreoffice.org/ Russian announce@ru.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@ru.libreoffice.org Digest subscription: announce+subscribe-digest@ru.libreoffice.org Archives: https://listarchives.libreoffice.org/ru/announce/ Mail-Archive.com: http://www.mail-archive.com/announce@ru.libreoffice.org/ discuss@ru.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@ru.libreoffice.org Digest subscription: discuss+subscribe-digest@ru.libreoffice.org Archives: https://listarchives.libreoffice.org/ru/discuss/ Mail-Archive.com: http://www.mail-archive.com/discuss@ru.libreoffice.org/ users@ru.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@ru.libreoffice.org Digest subscription: users+subscribe-digest@ru.libreoffice.org Archives: https://listarchives.libreoffice.org/ru/users/ Mail-Archive.com: http://www.mail-archive.com/users@ru.libreoffice.org/ Sinhala announce@si.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@si.libreoffice.org Digest subscription: announce+subscribe-digest@si.libreoffice.org Archives: https://listarchives.libreoffice.org/si/announce/ Mail-Archive.com: http://www.mail-archive.com/announce@si.libreoffice.org/ discuss@si.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@si.libreoffice.org Digest subscription: discuss+subscribe-digest@si.libreoffice.org Archives: https://listarchives.libreoffice.org/si/discuss/ Mail-Archive.com: http://www.mail-archive.com/discuss@si.libreoffice.org/ users@si.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@si.libreoffice.org Digest subscription: users+subscribe-digest@si.libreoffice.org Archives: https://listarchives.libreoffice.org/si/users/ Mail-Archive.com: http://www.mail-archive.com/users@si.libreoffice.org/ Slovak announce@sk.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@sk.libreoffice.org Digest subscription: announce+subscribe-digest@sk.libreoffice.org Archives: https://listarchives.libreoffice.org/sk/announce/ Mail-Archive.com: http://www.mail-archive.com/announce@sk.libreoffice.org/ discuss@sk.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@sk.libreoffice.org Digest subscription: discuss+subscribe-digest@sk.libreoffice.org Archives: https://listarchives.libreoffice.org/sk/discuss/ Mail-Archive.com: http://www.mail-archive.com/discuss@sk.libreoffice.org/ users@sk.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@sk.libreoffice.org Digest subscription: users+subscribe-digest@sk.libreoffice.org Archives: https://listarchives.libreoffice.org/sk/users/ Mail-Archive.com: http://www.mail-archive.com/users@sk.libreoffice.org/ Slovenian announce@sl.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@sl.libreoffice.org Digest subscription: announce+subscribe-digest@sl.libreoffice.org Archives: https://listarchives.libreoffice.org/sl/announce/ Mail-Archive.com: http://www.mail-archive.com/announce@sl.libreoffice.org/ discuss@sl.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@sl.libreoffice.org Digest subscription: discuss+subscribe-digest@sl.libreoffice.org Archives: https://listarchives.libreoffice.org/sl/discuss/ Mail-Archive.com: http://www.mail-archive.com/discuss@sl.libreoffice.org/ users@sl.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@sl.libreoffice.org Digest subscription: users+subscribe-digest@sl.libreoffice.org Archives: https://listarchives.libreoffice.org/sl/users/ Mail-Archive.com: http://www.mail-archive.com/users@sl.libreoffice.org/ Spanish announce@es.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@es.libreoffice.org Digest subscription: announce+subscribe-digest@es.libreoffice.org Archives: https://listarchives.libreoffice.org/es/announce/ Mail-Archive.com: http://www.mail-archive.com/announce@es.libreoffice.org/ discuss@es.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@es.libreoffice.org Digest subscription: discuss+subscribe-digest@es.libreoffice.org Archives: https://listarchives.libreoffice.org/es/discuss/ Mail-Archive.com: http://www.mail-archive.com/discuss@es.libreoffice.org/ users@es.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@es.libreoffice.org Digest subscription: users+subscribe-digest@es.libreoffice.org Archives: https://listarchives.libreoffice.org/es/users/ Mail-Archive.com: http://www.mail-archive.com/users@es.libreoffice.org/ marketing@es.libreoffice.org : Marketing for LibreOffice / Mercadotecnia para LibreOffice Subscription: marketing+subscribe@es.libreoffice.org Digest subscription: marketing+subscribe-digest@es.libreoffice.org Archives: https://listarchives.libreoffice.org/es/marketing/ Mail-Archive.com: https://www.mail-archive.com/marketing@es.libreoffice.org/ documentation@es.libreoffice.org : Documentation for LibreOffice / Documentación para LibreOffice Subscription: documentation+subscribe@es.libreoffice.org Digest subscription: documentation+subscribe-digest@es.libreoffice.org Archivo: https://listarchives.libreoffice.org/es/documentation/ Mail-Archive.com: https://www.mail-archive.com/documentation@es.libreoffice.org/ l10n@es.libreoffice.org : Localization of LibreOffice / Traducción de LibreOffice Subscription: l10n+subscribe@es.libreoffice.org Digest subscription: l10n+subscribe-digest@es.libreoffice.org Archives: https://listarchives.libreoffice.org/es/l10n/ Mail-Archive.com: https://www.mail-archive.com/l10n@es.libreoffice.org/ Swedish discuss@sv.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@sv.libreoffice.org Digest subscription: discuss+subscribe-digest@sv.libreoffice.org Archives: https://listarchives.libreoffice.org/sv/discuss/ Mail-Archive.com: https://www.mail-archive.com/discuss@sv.libreoffice.org/ users@sv.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@sv.libreoffice.org Digest subscription: users+subscribe-digest@sv.libreoffice.org Archives: https://listarchives.libreoffice.org/sv/users/ Mail-Archive.com: https://www.mail-archive.com/users@sv.libreoffice.org/ Tamil (தமிழ்) discuss@ta.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@ta.libreoffice.org Digest subscription: discuss+subscribe-digest@ta.libreoffice.org Archives: https://listarchives.libreoffice.org/ta/discuss/ Mail-Archive.com: https://www.mail-archive.com/discuss@ta.libreoffice.org/ Thai discuss@th.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@th.libreoffice.org Digest subscription: discuss+subscribe-digest@th.libreoffice.org Archives: https://listarchives.libreoffice.org/th/discuss/ Mail-Archive.com: https://www.mail-archive.com/discuss@th.libreoffice.org/ Turkish announce@tr.libreoffice.org : Announcements and Press Releases Subscription: announce+subscribe@tr.libreoffice.org Digest subscription: announce+subscribe-digest@tr.libreoffice.org Archives: https://listarchives.libreoffice.org/tr/announce/ Mail-Archive.com: http://www.mail-archive.com/announce@tr.libreoffice.org/ discuss@tr.libreoffice.org : Discussions about the project and the Community Subscription: discuss+subscribe@tr.libreoffice.org Digest subscription: discuss+subscribe-digest@tr.libreoffice.org Archives: https://listarchives.libreoffice.org/tr/discuss/ Mail-Archive.com: http://www.mail-archive.com/discuss@tr.libreoffice.org/ users@tr.libreoffice.org : User support for LibreOffice Subscription: users+subscribe@tr.libreoffice.org Digest subscription: users+subscribe-digest@tr.libreoffice.org Archives: https://listarchives.libreoffice.org/tr/users/ Mail-Archive.com: http://www.mail-archive.com/users@tr.libreoffice.org/ gelistirici@tr.libreoffice.org : Developer discussions Subscription: gelistirici+subscribe@tr.libreoffice.org Digest subscription: gelistirici+subscribe-digest@tr.libreoffice.org Archives: https://listarchives.libreoffice.org/tr/gelistirici/ Mail-Archive.com: https://www.mail-archive.com/gelistirici@tr.libreoffice.org/ Vietnamese Subscription: http://lists.hanoilug.org/pipermail/du-an-most/ Digest subscription: http://lists.hanoilug.org/pipermail/du-an-most/ Archives: http://lists.hanoilug.org/pipermail/du-an-most/ Mail-Archive.com: https://www.mail-archive.com/du-an-most@lists.hanoilug.org/info.html US See Marketing/US/Mailing List Retrieved from " https://wiki.documentfoundation.org/index.php?title=Language/LocalMailingLists&oldid=681911 " Categories : L10n HU IS Mailing Lists NLT PT-BR This page was last edited 09:47, 19 August 2023 by Ilmari Lauhakangas . Based on work by Olivier Hallot and Adolfo Jayme Barrientos and others . Please note that all contributions to The Document Foundation Wiki are considered to be released under the Creative Commons Attribution-ShareAlike 3.0 Unported License , unless otherwise specified. This does not include the source code of LibreOffice, which is licensed under the GNU Lesser General Public License ( LGPLv3 ). "LibreOffice" and "The Document Foundation" are registered trademarks of their corresponding registered owners or are in actual use as trademarks in one or more countries. Their respective logos and icons are also subject to international copyright laws. Use thereof is explained in our trademark policy (see Project:Copyrights for details). LibreOffice was based on OpenOffice.org. If you do not want your writing to be edited mercilessly and redistributed at will, then do not submit it here. Privacy policy About The Document Foundation Wiki Imprint | 2026-01-13T09:29:34 |
https://cloudflare.com/es-es/events/ | Eventos de Cloudflare | Cloudflare Me interesa Idiomas English English (United Kingdom) Deutsch Español (Latinoamérica) Español (España) Français Italiano 日本語 한국어 Polski Português (Brasil) Русский 繁體中文 简体中文 Plataforma Conectividad cloud La conectividad cloud de Cloudflare ofrece más de 60 servicios de red, seguridad y rendimiento. Enterprise Para grandes y medianas empresas Pequeña empresa Para pequeñas empresas Socio ¡Hazte socio de Cloudflare! Casos de uso Moderniza tus aplicaciones Acelera el rendimiento Protege la disponibilidad de tus aplicaciones Optimiza tu experiencia web Moderniza tu seguridad Reemplaza tu VPN Protégete contra el phishing Protege las aplicaciones web y las API Moderniza tus redes Modelo de "red de cafetería" Moderniza tu WAN Simplifica tu red corporativa Temas para directivos Adopta la IA Integra la IA en los equipos de trabajo y las experiencias digitales Seguridad de la IA Protección de aplicaciones de IA agéntica e IA generativa Conformidad de los datos Mejora la conformidad y minimiza el riesgo. Criptografía poscuántica Protege los datos y cumple con las normas de conformidad. Sectores Servicios sanitarios Banca Minoristas Videojuegos Sector público Recursos Guías de producto Arquitecturas de referencia Informes de analistas Participa Eventos Demostraciones Seminarios web Talleres Solicita una demo Productos Productos Seguridad en el espacio de trabajo Acceso a la red Zero Trust Puerta de enlace web segura Seguridad del correo electrónico Agente de seguridad de acceso a la nube Seguridad para aplicaciones Protección DDoS de capa 7 Firewall de aplicaciones web Seguridad de la API Gestión de bots Rendimiento de aplicaciones CDN DNS Enrutamiento inteligente Load balancing Redes y SASE Protección DDoS de capas 3 y 4 NaaS/SD-WAN Firewall como servicio Interconexión de redes planes y precios Planes Enterprise Planes para pequeñas empresas Planes individuales Comparar planes Servicios globales Paquetes de soporte y éxito Experiencia optimizada de Cloudflare Servicios profesionales Implementación guiada por expertos Gestión técnica de cuentas Gestión técnica focalizada Servicio de operaciones de seguridad Supervisión y respuesta de Cloudflare Registro de dominios Compra y gestión de dominios 1.1.1.1 Resolución DNS gratuita Recursos Guías de producto Arquitecturas de referencia Informes de analistas Demos y recorridos de productos Ayúdame a elegir Desarrolladores Documentación Biblioteca para desarrolladores Documentación y guías Demos de aplicaciones Explora lo que puedes desarrollar Tutoriales Tutoriales de creación paso a paso Arquitectura de referencia Diagramas y patrones de diseño Productos Inteligencia artificial AI Gateway Observa y controla las aplicaciones de IA Workers AI Ejecuta modelos de aprendizaje automático en nuestra red Procesos Observability Registros, métricas y rastreos Workers Desarrolla e implementa aplicaciones sin servidor Contenido multimedia Images Transforma y optimiza imágenes Realtime Crea aplicaciones de audio y vídeo en tiempo real Almacenamiento y base de datos D1 Desarrolla bases de datos SQL sin servidor R2 Almacena datos sin costosas tarifas de salida Planes y precios Workers Desarrolla e implementa aplicaciones sin servidor Workers KV Almacén de pares clave-valor sin servidor para aplicaciones R2 Almacena datos sin costosas tarifas de salida Descubre proyectos Historias de nuestros clientes Demo de IA en 30 segundos Guía rápida para empezar Descubre Workers Playground Crea, prueba e implementa Discord para desarrolladores Únete a la comunidad Empezar Socios Red de socios Crece, innova y satisface las necesidades de los clientes con Cloudflare Portal de socios Encuentra recursos y registra acuerdos Tipos de socios Programa PowerUP Impulsa el crecimiento de tu negocio mientras garantizas la conexión y la protección de tus usuarios Socios tecnológicos Explora nuestro ecosistema de socios e integradores tecnológicos Integradores de sistemas globales Impulsa una transformación digital eficaz a gran escala Proveedores de servicios Descubre nuestra red de valiosos proveedores de servicios Programa de autoservicio para agencias Gestiona las cuentas de autoservicio de tus clientes Portal punto a punto Información sobre el tráfico de tu red Encontrar socio Saca el máximo partido a tu negocio - Conecta con los socios de Cloudflare Powered+. Recursos Participa Demos y recorridos por los productos Demostraciones de productos bajo demanda Casos prácticos Cloudflare, la clave del éxito Seminarios web Debates interesantes Talleres Foros virtuales Biblioteca Guías útiles, hojas de ruta y mucho más Informes Información a partir de las investigaciones de Cloudflare Blog Análisis técnicos y novedades de productos Centro de aprendizaje Herramientas educativas y contenido práctico Desarrolla Arquitectura de referencia Guías técnicas Guías de soluciones y productos Documentación de productos Documentación Documentación para desarrolladores Explora theNET Información estratégica para empresas digitales Cloudflare TV Series y eventos innovadores Cloudforce One Investigaciones y operaciones sobre amenazas Radar Tendencias del tráfico y la seguridad en Internet Informes de analistas Informes de estudios del sector Eventos Próximos eventos regionales Confianza, privacidad y conformidad Información y políticas de conformidad Soporte Te ayudamos Foro de la comunidad ¿Has perdido el acceso a tu cuenta? Discord para desarrolladores Te ayudamos Empresa información de la empresa Liderazgo Conoce a nuestros líderes Relaciones con inversores Información para inversores Prensa Consulta noticias recientes Empleo Consulta los puestos disponibles confianza, privacidad y seguridad Privacidad Política, datos y protección Confianza Política, proceso y seguridad Cumplimiento Certificación y regulación Transparencia Política y divulgaciones Interés público Asistencia humanitaria Proyecto Galileo Sector público Proyecto Athenian Elecciones Cloudflare For Campaigns Salud Project Fair Shot Red global Ubicaciones globales y estado Iniciar sesión Contacta con Ventas Reserva la fecha para Cloudflare Connect San Francisco 2026 19–22 de octubre de 2026 Únete a miles de líderes del sector en una oportunidad única para impulsar la innovación y la colaboración en Cloudflare Connect 2025. Más información Todos los eventos programados América Europa, Oriente Medio y África APJC Washington, DC GovCIO AI Summit • Jan 9 Coming soon San Diego, CA AFCEA West • Feb 10 - Feb 12 Coming soon Dallas, TX Immerse Dallas • Feb 12 Learn more Bogota, CO Immerse Bogota, Colombia • Feb 19 Coming soon New York, NY NASTD East-West • Mar 2 - Mar 5 Coming soon Washington, DC Billington State & Local • Mar 9 - Mar 11 Coming soon Mexico City, MX Immerse CDMX, Mexico • Mar 12 Coming soon San Jose, CA NVIDIA GTC • Mar 16 - Mar 17 Coming soon San Francisco, CA RSAC • Mar 23 - Mar 24 Coming soon Houston, TX Immerse Houston • Apr 2 Coming soon New York, NY Immerse New York • Apr 14 Coming soon São Paulo, BR Immerse Sao Paulo, Brazil • Apr 15 Coming soon Boston, MA Immerse Boston • Apr 16 Coming soon Montreal, CA Immerse Montreal • Apr 22 Coming soon Las Vegas, NV Google Cloud Next • Apr 22 - Apr 23 Coming soon Minneapolis, MN Immerse Minneapolis • Apr 23 Coming soon Philadelphia, PA NASCIO Midyear • Apr 28 - May 1 Coming soon Buenos Aires, AR Immerse Buenos Aires, Argentina • May Coming soon Kansas City, MO NLIT • May 4 - May 6 Coming soon Anaheim, CA Immerse Anaheim/SoCal • May 6 Coming soon Tampa, FL SOF Week • May 18 - May 21 Coming soon Toronto, CA Immerse Toronto • May 20 Coming soon Chicago, IL Immerse Chicago • May 28 Coming soon National Harbor, MD Gartner Security & Risk Management Summit (USA) • Jun 1 - Jun 2 Coming soon Baltimore, MD TechNet Cyber • Jun 2 - Jun 4 Coming soon Austin, TX NASTD Midwest-South • Jun 8 - Jun 11 Coming soon Vancouver, CA Immerse Vancouver • Jun 10 Coming soon Seattle, WA Immerse Seattle • Jun 18 Coming soon Las Vegas, NV Black Hat USA • Aug 3 - Aug 6 Coming soon Denver, CO NASTD Annual • Aug 23 - Aug 26 Coming soon Las Vegas, NV Crowdstrike fal.con • Aug 31 - Sept 1 Coming soon San Diego, CA NASCIO Annual • Sept 27 - Sept 30 Coming soon Denver, CO EDUCAUSE Annual • Sept 29 - Oct 2 Coming soon Santiago, CL Immerse Santiago, Chile • Oct Coming soon San Francisco, CA Cloudflare Global Connect 2026 • Oct 19 - Oct 20 Coming soon Orlando, FL Gartner IT Symposium • Oct 19 - Oct 20 Coming soon Atlanta, GA Immerse Atlanta • Nov 12 Coming soon Las Vegas, NV AWS re:Invent • Nov 30 - Dec 4 Coming soon CÓMO EMPEZAR Planes gratuitos Planes para pequeñas empresas Para empresas Sugerencias Solicita una demostración Contactar con ventas SOLUCIONES Conectividad cloud Servicios para aplicaciones SASE y seguridad en el espacio de trabajo Servicios de red Plataforma para desarrolladores SOPORTE Centro de ayuda Atención al cliente Foro de la comunidad Discord para desarrolladores ¿Has perdido el acceso a tu cuenta? Estado de Cloudflare CONFORMIDAD Recursos de conformidad Confianza RGPD IA responsable Informe de transparencia Notificar abuso INTERÉS PÚBLICO Proyecto Galileo Proyecto Athenian Cloudflare for Campaigns Project Fair Shot EMPRESA Acerca de Cloudflare Mapa de red Nuestro equipo Logotipos y dossier de prensa Diversidad, equidad e inclusión Impact/ESG © 2026 Cloudflare, Inc. Política de privacidad Condiciones de uso Informar sobre problemas de seguridad Confianza y seguridad Preferencias de cookies Marca | 2026-01-13T09:29:34 |
https://pt-br.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT3IWyCUG1-4UvYL2ljswjKnsMnT4lhZrlGZTlLOyEYbNa8HYbtpggv47cM9v9YilU9pLdNIN2tM3D2mR_Rdt9OWzBu3nh6sUH9gpaJEJcrToliCVuNi4mactKE0e0lmfD8l-7Fjbzazvgd5 | Facebook Facebook Email ou telefone Senha Esqueceu a conta? Criar nova conta Você está bloqueado temporariamente Você está bloqueado temporariamente Parece que você estava usando este recurso de forma indevida. Bloqueamos temporariamente sua capacidade de usar o recurso. Back Português (Brasil) 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Français (France) Deutsch Cadastre-se Entrar Messenger Facebook Lite Vídeo Meta Pay Meta Store Meta Quest Ray-Ban Meta Meta AI Mais conteúdo da Meta AI Instagram Threads Central de Informações de Votação Política de Privacidade Central de Privacidade Sobre Criar anúncio Criar Página Desenvolvedores Carreiras Cookies Escolhas para anúncios Termos Ajuda Upload de contatos e não usuários Configurações Registro de atividades Meta © 2026 | 2026-01-13T09:29:34 |
https://id-id.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fabout.meta.com%252Ftechnologies%252Fmeta-pay%26amp%253Bh%3DAT3MxmFOjrt9aYBchLGSKdPWPfqoZ8uVG0I8P68QD7mSg88iRNJ5L0erzaBuBAleA5IMC20JuDj-z-Oqq62-c2azKmDlWxvSkmqhyahLZ8nKqNZvqThtJ2lJViTfMFkgbIO1AoRKvSc2r498 | Facebook Facebook Email atau telepon Kata Sandi Lupa akun? Buat Akun Baru Anda Diblokir Sementara Anda Diblokir Sementara Sepertinya Anda menyalahgunakan fitur ini dengan menggunakannya terlalu cepat. Anda dilarang menggunakan fitur ini untuk sementara. Back Bahasa Indonesia 한국어 English (US) Tiếng Việt ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch Daftar Masuk Messenger Facebook Lite Video Meta Pay Meta Store Meta Quest Ray-Ban Meta Meta AI Konten Meta AI lainnya Instagram Threads Pusat Informasi Pemilu Kebijakan Privasi Pusat Privasi Tentang Buat Iklan Buat Halaman Developer Karier Cookie Pilihan Iklan Ketentuan Bantuan Pengunggahan Kontak & Non-Pengguna Pengaturan Log aktivitas Meta © 2026 | 2026-01-13T09:29:34 |
https://wordpress.com/pt-br/support/como-criar-um-site-de-teste/ | Criar um site de teste – Suporte Produtos Funcionalidades Recursos Planos e preços Fazer login Comece agora Menu Hospedagem WordPress WordPress para agências Seja um afiliado Nomes de domínio Construtor de sites com IA Construtor de sites Crie um Blog Newsletter E-mail Profissional Serviços de design do site Commerce WordPress Studio WordPress para empresas Visão Geral Temas WordPress Plugins WordPress Padrões do WordPress Google Apps Central de ajuda Novidades do WordPress Gerador de nomes de negócios Criador de logos Descubra novos posts Tags populares Pesquisar blog Fechar o menu de navegação Comece agora Registre-se Fazer login Sobre Planos e preços Produtos Hospedagem WordPress WordPress para agências Seja um afiliado Nomes de domínio Construtor de sites com IA Construtor de sites Crie um Blog Newsletter E-mail Profissional Serviços de design do site Commerce WordPress Studio WordPress para empresas Funcionalidades Visão Geral Temas WordPress Plugins WordPress Padrões do WordPress Google Apps Recursos Central de ajuda Novidades do WordPress Gerador de nomes de negócios Criador de logos Descubra novos posts Tags populares Pesquisar blog Aplicativo Jetpack Saiba mais Central de ajuda Guias Cursos Fórum Contato Search Central de ajuda / Guias Central de ajuda Guias Cursos Fórum Contato Guias / Editar seu site / Hospedagem / Criar um site de teste Criar um site de teste Use um site de teste para clonar seu site do WordPress.com inteiro. Assim, é possível testar grandes atualizações nos temas e plugins, incompatibilidades ou outras mudanças importantes no site de teste antes de aplicá-las ao site (“de produção”) principal. Este guia mostrará como criar um site de teste no WordPress.com. Esta funcionalidade está disponível nos sites com o planos WordPress.com Negócios e Commerce . Se você tiver um plano Negócios, certifique-se de ativá-lo . Para sites com os planos Gratuito, antigo Pro, Pessoal e Premium, faça upgrade do seu plano para acessar essa funcionalidade. Neste guia Criar um site de teste Como os sites de teste funcionam Dados copiados para um site de teste Sincronizar entre teste e produção Personalizar o comportamento do mecanismo de busca Excluir um site de teste Dúvidas? Pergunte à Assistente de IA Voltar ao topo Criar um site de teste Qualquer administrador do site pode criar um site de teste. O proprietário do site será sempre adicionado como proprietário do site de teste, mesmo se este for criado por outro administrador. Você pode criar um site de teste por vez por site de produção. Para criar um site de testes, siga estas etapas: Acesse a Lista de sites no painel. Clique no site da lista de sites. Na parte superior da tela, clique no botão “ Adicionar site de teste “. Esse processo levará algum tempo para ser concluído. Depois de criar seu site de teste, você tem algumas maneiras de acessá-lo: Quando você visitar sua lista de sites , seu site de teste será listado com uma tag “Teste” ao lado do nome dele e “Site de teste” na coluna do nome do plano. Quando você estiver na visão geral de hospedagem do site de produção (clicando no título dele na lista Sites ), você poderá alternar entre produção e teste usando o menu suspenso ao lado do endereço do site. Se você não conseguir criar um site de teste (por exemplo, o botão para criar o site está esmaecido), a causa mais comum é um problema de conexão com o Jetpack. Aprenda a resolver os erros mais comuns do Jetpack . Como os sites de teste funcionam O site de teste funciona como uma cópia do original, destinada a testes. Você pode instalar plugins , trocar temas e restaurar backups no site de teste, exatamente como no site oficial. O site de teste criado fica totalmente desvinculado do original, assim as alterações em um não afetam o outro. O endereço do site de teste (URL) é criado automaticamente anexando “ staging-[random-four-characters] ” ao endereço do site de produção. Toda vez que você exclui e cria um novo site de teste, a string aleatória de quatro caracteres é alterada, portanto a URL do teste não permanecerá a mesma. Não é possível editar esse endereço ou adicionar um domínio personalizado, pois um site de teste não deve ser usado como um site oficial. Para fazer uma cópia do seu site destinada à visualização pública, siga as etapas do nosso guia Copiar um site . Um site de teste terá a constante WP_ENVIRONMENT_TYPE=staging adicionada ao arquivo wp-config.php , que alguns plugins podem usar para diferenciar os ambientes oficiais e de teste. O site de teste continuará ativo enquanto seu site oficial (o site principal) tiver um plano ativo . Os sites de teste e oficial compartilham a mesma alocação de armazenamento , que é dividida igualmente entre os dois. Dados copiados para um site de teste Estes dados específicos do site são clonados para o site de teste: Posts Páginas Temas Plugins Uploads de mídia Usuários Opções de configuração, chaves de API ou qualquer informação de banco de dados armazenada com seu site Os dados específicos do WordPress.com a seguir não são copiados para o novo site, pois essas funcionalidades são específicas do site: Assinantes Curtidas Chaves SSH anexadas Sincronizar entre teste e produção É possível sincronizar o banco de dados e o sistema de arquivos entre o ambiente de teste e ambiente de produção (site oficial) em ambas as direções. Isso é útil se você tiver feito alterações no site de teste que deseja aplicar ao seu site de produção sem recriá-las manualmente. Acesse nosso guia para aprender como sincronizar os ambientes de teste e produção . É preciso ter acesso aos sites de produção e de teste para sincronizar as alterações entre eles. Se um usuário tiver acesso a apenas um deles, adicione-o como administrador aos sites de produção e de teste para que possa sincronizar as alterações. Personalizar o comportamento do mecanismo de busca Por padrão, os mecanismos de pesquisa são impedidos de indexar o site de teste. Porém, esse comportamento pode ser alterado com um arquivo robots.txt personalizado colocado na pasta de origem do seu site. Excluir um site de teste Para remover seu site de teste, siga estas etapas: Acesse a Lista de sites no painel. Clique no título do site de teste na lista de sites. Acesse a guia Configurações . Role para baixo até o final da página e clique no botão Excluir . Depois de excluir um site de teste, você pode criar um novo a qualquer momento. O novo site de teste sempre começará como um novo clone do seu site de produção atual. Guias relacionados Sincronizar dados entre sites de teste e de produção 5 min. de leitura Verificar o desempenho do seu site 3 min. de leitura Verificar a versão do seu WordPress 4 min. de leitura Usar SFTP no WordPress.com 9 min. de leitura Neste guia Criar um site de teste Como os sites de teste funcionam Dados copiados para um site de teste Sincronizar entre teste e produção Personalizar o comportamento do mecanismo de busca Excluir um site de teste Dúvidas? Pergunte à Assistente de IA Voltar ao topo Não encontrou o que precisava? Contate-nos Obtenha respostas da nossa assistente de IA, com acesso a suporte humano especializado sem interrupções, em planos pagos. Faça uma pergunta em nosso fórum Confira as perguntas e obtenha respostas de outros usuários experientes. Copied to clipboard! WordPress.com Produtos Hospedagem WordPress WordPress para agências Seja um afiliado Nomes de domínio Construtor de sites com IA Construtor de sites Crie um Blog E-mail Profissional Serviços de design do site WordPress Studio WordPress para empresas Funcionalidades Visão Geral Temas WordPress Plugins WordPress Padrões do WordPress Google Apps Recursos Blogs WordPress.com Gerador de nomes de negócios Criador de logos Leitor WordPress.com Acessibilidade Remover assinaturas Ajuda Central de ajuda Guias Cursos Fórum Contato Recursos para desenvolvedores Empresa Sobre Imprensa Termos de Serviço Política de Privacidade Não venda ou compartilhe minhas informações pessoais Aviso de privacidade para usuários da Califórnia Deutsch Español Français Bahasa Indonesia Italiano Nederlands Português do Brasil Svenska Türkçe Русский العربية עִבְרִית 日本語 한국어 简体中文 繁體中文 English Deutsch Español Français Bahasa Indonesia Italiano Nederlands Português do Brasil Svenska Türkçe Русский العربية עִבְרִית 日本語 한국어 简体中文 繁體中文 English Aplicativos móveis Baixar na App Store Obter no Google Play Mídia social WordPress.com no Facebook WordPress.com no X (Twitter) WordPress.com no Instagram WordPress.com no YouTube Automattic Automattic Trabalhe conosco Carregando comentários... Escreva um Comentário E-mail (obrigatório) Nome (obrigatório) Site Suporte Registre-se Fazer login Copiar link curto Denunciar este conteúdo Gerenciar assinaturas | 2026-01-13T09:29:34 |
https://community.atlassian.com/t5/Welcome-Center-articles/Atlassian-events-Online-Community-Getting-started/ba-p/2847065?utm_source=community&utm_medium=comarketing&utm_campaign=P:multiproduct*O:community*C:community*W:ace-to-forums-launchpad-1*H:10/22/24*I:cset_awesome*&_ga=2.145407799.2017720452.1737476082-1495284648.1719238364 | Atlassian events → Community Forums: Getting start... - Atlassian Community Community Forums Learning Events Champions Sign up Log in Community Forums Home Q&A Discussion groups Articles Ask a question Search Learning Events Champions Sign up Log in Community Community Forums Home Q&A Discussion groups Articles Ask a question Search Learning Events Champions Sign up Log in Forums Home Q&A Discussion groups Articles Ask a question Search Learning Events Champions Sign up Log in Forums Q&A Discussion groups Articles Create Ask a question cancel Turn on suggestions Auto-suggest helps you quickly narrow down your search results by suggesting possible matches as you type. Showing results for Search instead for Did you mean: Q&A Jira Jira Confluence Confluence Jira Service Management Jira Service Management Bitbucket Bitbucket Rovo Atlassian Intelligence Rovo Trello Trello Jira Product Discovery Loom jira-align Jira Align See all Community resources Announcements FAQ Guidelines About Support Documentation and support Atlassian Community Events Atlassian Learning Top groups groups-icon Welcome Center groups-icon Featured Groups groups-icon Product Groups groups-icon Regional Groups groups-icon Industry Groups groups-icon Community Groups Explore all groups Community resources Announcements FAQ Guidelines About Support Documentation and support Atlassian Community Events Atlassian Learning Learn Learning Paths Certifications Courses by Product Community resources Announcements FAQ Guidelines About Support Documentation and support Atlassian Community Events Atlassian Learning Events Live learning Local meet ups Community led conferences Community resources Announcements FAQ Guidelines About Support Documentation and support Atlassian Community Events Atlassian Learning Community Groups Featured Groups Welcome Center Atlassian events → Community Forums: Getting started! 🚀 October 24, 2024 edited Hi there! Welcome to the Atlassian Community Forums ! Attended an Atlassian event but don’t want the fun to end? You can keep it going and connect with Atlassians online as well as IRL! We’re here to help you continue your journey through the Atlassian Community. To start, here’s a short & sweet intro to some of our resources. Product Collections and Interest Groups Ask questions, access resources, and meet people in a dedicated online space. Check out our product collections in the top navigation and join any that pique your interest. Beyond our product suite, we like to discuss topics such as teamwork , DevOps , security and more! What is the Community Kudos program? It’s a reward system where you can earn points and virtual badges (and sometimes swag and prizes) for participating in activities here in the Online Community. At the top of the page, you’ll find the Kudos dashboard showing: 1. Where you currently sit, overall points, and a progress bar showing how close you are to the next level 2. A list of challenges you're eligible to complete - there are badges you can claim for RSVPing and attending Atlassian Community Events, so have at it! 3. The leaderboard showing who's in the lead 4. The Recognition column - you can award Kudos points to member of our community for being awesome at an ACE You can learn more about the Kudos program and complete this Bite-sized Learning Challenge to earn the Bite-sized Community Kudos Program badge for your profile! We hope these resources help you get started. In the comments, feel free to introduce yourself! How did you first get involved in Atlassian events? If you haven't been to an event yet, are there any you're hoping to join soon? We're happy you're here! 💙 Comment Watch Like 91 people like this # people like this Share LinkedIn Email Copy Link 92847 views 6 comments Stuart Capel - London Community Champion November 29, 2024 edited Great article! Loving Kudos - Kudos! Like • 5 people like this # people like this Mike Donnan February 5, 2025 edited Is anyone else struggling with riverside.fm for the training events..? The site is reaching out to external refs which are being blocked for me... Are there replays/recordings available..? Like • 2 people like this # people like this WAT NOII24 February 16, 2025 edited 😄😁😃 Like • Anwesha Pan _TCS_ likes this asadiq Rising Star Rising Star Rising Stars are recognized for providing high-quality answers to other users. Rising Stars receive a certificate of achievement and are on the path to becoming Community Champions. Get recognized June 14, 2025 edited I love Kudos!! Excellent engagement strategy. Like • 2 people like this # people like this J Sai Vardhan August 17, 2025 edited Great article! Like • 2 people like this # people like this Felipe Justino Rising Star Rising Star Rising Stars are recognized for providing high-quality answers to other users. Rising Stars receive a certificate of achievement and are on the path to becoming Community Champions. Get recognized November 25, 2025 edited Kudos! Like • Utsav Garg likes this Comment Log in or Sign up to comment Was this helpful? Yes No Thanks! × Kate C_ Community Manager Community Manager Community Managers are Atlassian Team members who specifically run and moderate Atlassian communities. Meet your Community Managers About this author 8 accepted answers 778 total posts +30 more... View profile groups-icon Welcome Center TAGS community-launchpad AUG Leaders Atlassian Community Events See all events Community Forums FAQs Forums guidelines Learning About learning Resources Events Champions Copyright © 2026 Atlassian Privacy Policy Notice at Collection Terms Security | 2026-01-13T09:29:34 |
https://gitstar-ranking.com/GoogleCloudPlatform | GoogleCloudPlatform - Gitstar Ranking Gitstar Ranking Users Organizations Repositories Rankings Users Organizations Repositories Sign in with GitHub GoogleCloudPlatform Star 225003 Rank 48 Go to GitHub Fetched on 2026/01/09 05:43 1439 Repositories microservices-demo 19583 terraformer 14377 generative-ai 12418 training-data-analyst 8421 python-docs-samples 7952 kubectl-ai 7164 agent-starter-pack 5468 golang-samples 4568 professional-services 2985 nodejs-docs-samples 2950 tensorflow-without-a-phd 2836 asl-ml-immersion 2471 gcsfuse 2188 ml-design-patterns 2052 PerfKitBenchmarker 1990 khi 1990 community 1935 cloud-foundation-fabric 1908 java-docs-samples 1871 continuous-deployment-on-kubernetes 1595 localllm 1550 cloudml-samples 1542 cloud-builders 1439 data-science-on-gcp 1402 cloud-sql-proxy 1391 functions-framework-nodejs 1371 kubernetes-engine-samples 1331 cloud-builders-community 1299 berglas 1283 bigquery-utils 1265 DataflowTemplates 1262 bank-of-anthos 1234 buildpacks 1116 cloud-vision 1113 cloud-foundation-toolkit 1071 php-docs-samples 1034 k8s-config-connector 1011 functions-framework-python 961 deploymentmanager-samples 953 flask-talisman 936 magic-modules 914 gsutil 911 vertex-ai-creative-studio 891 awesome-google-cloud 880 DataflowJavaSDK 851 iap-desktop 835 mlops-on-gcp 832 nodejs-getting-started 822 keras-idiomatic-programmer 818 dotnet-docs-samples 818 1 2 3 4 5 … › Released by @k0kubun in December 2014. Fork me on GitHub . | 2026-01-13T09:29:34 |
https://www.ecns.cn/video/2026-01-01/detail-iheymvap1609951.shtml | The Awkward Chronicles of Uncle Sam: Claimed Glory, Met Chaos --> 中文 Home News Ecns Wire Business Travel Photo Video Voices RIGHT BG LINE Text: A A A Print Video The Awkward Chronicles of Uncle Sam: Claimed Glory, Met Chaos 2026-01-01 08:09:31 Ecns.cn Editor : Meng Xiangjun ECNS App Download “Clever” Uncle Sam’s 2025 scorecard: shift blame, stall governance, profit from conflicts, swing the tariff hammer—only to hit himself. The more he meddles and dodges, the deeper the mess and the faster credibility crumbles. More Photo Beijing-Tangshan intercity railway starts full-line operation Passenger trips of 3 major Hainan airports exceed 50 million in 2025 First 'Grassland curling' attracts 350 competitors China launches two new satellites for space target detection test People perform 'circle dance' to pray for a bountiful new year in Qingha First batch of China's emergency humanitarian aid arrives in Cambodia Central London illuminated to welcome 2026 Chinese Foreign Minister meets Cambodian Deputy PM in Yunnan Exploring vivid sports competition throughout 2025 Exploring stunning winter scenery in Altay China's first L3 self-driving car debuts in Chongqin Grand bridge ready for traffic operation in Guizhou Harbin's celebrity snowman lights up winter night Southbound Travel for Guangdong Vehicles scheme implemented for entry into urban Hong Kong China's Feng/Huang claim mixed doubles title at BWF World Tour Finals Exploring overwintering migratory birds in Poyang Lake Xi presents orders to promote two military officers to rank of genera Inner Mongolia holds winter festival Memorial held for victims of Bondi Beach shooting in Sydney New year display unveiled at Times Square Night view of the 27th Harbin Ice and Snow World resembles fairy tale China launches island-wide special customs operations in Hainan FTP Why the world comes to Yiwu Exploring Hainan Free Trade Port before island-wide special customs operations Japanese bid farewell to the last two giant pandas Hainan's tallest building reaches key construction milestone Newly released Russia-transferred Japanese Unit 731 atrocity archives reveal human experiments, biological warfare committed by Japanese Imperial Army: FM Hainan FTP ready for island-wide independent customs operation Witnesses of a painful past, still waiting for an apology Geminid meteor shower seen across China Team China Sun Yingsha, Wang Chuqin win silver at the WTT Finals Hong Kong 2025 Kum Tag Desert welcomes its first snowfall this winter China's Lin Shidong advances to quarterfinals at WTT United States Smash Main tower of 27th Harbin Ice and Snow World topped out in NE China China launches sitellites for UAE, Egypt, Nepal Photo exhibition in Kazakhstan marks 70th founding anniversary of China's Xinjiang Uygur Autonomous Region Most popular in 24h More Top news (W.E. Talk) Looking ahead to 2026: As geopolitical conflict risks intensify, all parties seek opportunities amid crisis through strategic moves (W.E. Talk) Experts look to 2026: Seizing opportunities amid crises, forging ahead after breakthroughs South Korea's presidential office moves back to Cheong Wa Dae The Dunhuang Flying Dancers in the 1,360°C kiln fire Full text: Chinese President Xi Jinping's 2026 New Year message More Video (W.E. Talk) Experts look to 2026: Seizing opportunities amid crises, forging ahead after breakthroughs The Dunhuang Flying Dancers in the 1,360°C kiln fire LINE Media partners: People's Daily | Xinhua | CGTN | China Daily Back to top About Us | Jobs | Contact Us | Privacy Policy Copyright ©1999-2026 Chinanews.com. All rights reserved. Reproduction in whole or in part without permission is prohibited. [ 网上传播视听节目许可证(0106168) ] [ 京ICP证040655号 ] [ 京公网安备 11010202009201号 ] [ 京ICP备05004340号-1 ] --> --> | 2026-01-13T09:29:34 |
https://www.ecns.cn/photo/2025-12-31/detail-iheymvap1609543.shtml | Highlights of Chinese President Xi Jinping's 2026 New Year message --> 中文 Home News Ecns Wire Business Travel Photo Video Voices RIGHT BG LINE Text: A A A Print Photo Highlights of Chinese President Xi Jinping's 2026 New Year message 2025-12-31 20:35:29 Ecns.cn Editor : Wang Luyao ECNS App Download Chinese President Xi Jinping on Wednesday said China has met the targets in its 14th Five-Year Plan for economic and social development, and made solid advances on the new journey of Chinese modernization. As the year 2025 marks the completion of the Plan, China's economic strength, scientific and technological abilities, defense capabilities, and composite national strength all reached new heights, Xi said in his 2026 New Year message. More Photo Highlights of Chinese President Xi Jinping's 2026 New Year message Beijing-Tangshan intercity railway starts full-line operation Passenger trips of 3 major Hainan airports exceed 50 million in 2025 First 'Grassland curling' attracts 350 competitors China launches two new satellites for space target detection test People perform 'circle dance' to pray for a bountiful new year in Qingha Central London illuminated to welcome 2026 Chinese Foreign Minister meets Cambodian Deputy PM in Yunnan Exploring vivid sports competition throughout 2025 Exploring stunning winter scenery in Altay China's first L3 self-driving car debuts in Chongqin Grand bridge ready for traffic operation in Guizhou Harbin's celebrity snowman lights up winter night Southbound Travel for Guangdong Vehicles scheme implemented for entry into urban Hong Kong China's Feng/Huang claim mixed doubles title at BWF World Tour Finals Exploring overwintering migratory birds in Poyang Lake Xi presents orders to promote two military officers to rank of genera Inner Mongolia holds winter festival Memorial held for victims of Bondi Beach shooting in Sydney New year display unveiled at Times Square Night view of the 27th Harbin Ice and Snow World resembles fairy tale China launches island-wide special customs operations in Hainan FTP Why the world comes to Yiwu Exploring Hainan Free Trade Port before island-wide special customs operations Japanese bid farewell to the last two giant pandas Hainan's tallest building reaches key construction milestone Newly released Russia-transferred Japanese Unit 731 atrocity archives reveal human experiments, biological warfare committed by Japanese Imperial Army: FM Hainan FTP ready for island-wide independent customs operation Witnesses of a painful past, still waiting for an apology Geminid meteor shower seen across China Team China Sun Yingsha, Wang Chuqin win silver at the WTT Finals Hong Kong 2025 Kum Tag Desert welcomes its first snowfall this winter China's Lin Shidong advances to quarterfinals at WTT United States Smash Main tower of 27th Harbin Ice and Snow World topped out in NE China China launches sitellites for UAE, Egypt, Nepal Photo exhibition in Kazakhstan marks 70th founding anniversary of China's Xinjiang Uygur Autonomous Region Most popular in 24h More Top news Full text: Chinese President Xi Jinping's 2026 New Year message (W.E. Talk) Experts' review on 2025: China serves as a stabilizing force in a world of turmoil and chaos AS700 airship receives production certificate, readies for flight services China in elite global manufacturing club Xi, Putin exchange New Year greetings More Video The Awkward Chronicles of Uncle Sam: Tariff Bullying and Backfire (W.E. Talk) Experts' review on 2025: China serves as a stabilizing force in a world of turmoil and chaos LINE Media partners: People's Daily | Xinhua | CGTN | China Daily Back to top About Us | Jobs | Contact Us | Privacy Policy Copyright ©1999-2025 Chinanews.com. All rights reserved. Reproduction in whole or in part without permission is prohibited. [ 网上传播视听节目许可证(0106168) ] [ 京ICP证040655号 ] [ 京公网安备 11010202009201号 ] [ 京ICP备05004340号-1 ] --> --> | 2026-01-13T09:29:34 |
https://www.ecns.cn/hd/2026-01-04/detail-iheymvap1612569.shtml#9 | International ice sculpture competition heats up in Harbin --> 中文 Home News Ecns Wire Business Travel Photo Video Voices RIGHT BG LINE Text: A A A Print Photo International ice sculpture competition heats up in Harbin ( 1 /10) 2026-01-04 10:20:27 Ecns.cn Editor :Zhao Li Members of a team from St. Petersburg, Russia, work on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026.(Photo: China News Service/Zhao Yuhang) The competition has attracted 38 teams and 76 artists from 12 countries, including Australia, Poland, France, the United States, Spain, India and China. A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A contestant from Mongolia works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Aerial photo) (Photo: Yu Kun) A contestant from Mongolia works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Aerial photo) (Photo: Yu Kun) Members of a China?Russia joint team carve an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, Jan. 3, 2026. (Aerial photo/ Yu Kun) The work was created to mark the 10th anniversary of the sister-city relationship between Harbin and Murmansk, Russia. (Photo: Yu Kun) A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Spanish contestant works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Spanish contestant works on an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) A Russian contestant creates an ice sculpture during the 37th China Harbin International Ice Sculpture Competition in Harbin, northeast China’s Heilongjiang Province, Jan. 3, 2026. (Photo: China News Service/Zhao Yuhang) Previous The competition has attracted 38 teams and 76 artists from 12 countries, including Australia, Poland, France, the United States, Spain, India and China.--> The work was created to mark the 10th anniversary of the sister-city relationship between Harbin and Murmansk, Russia. (Photo: Yu Kun)--> Next (1) (2) (3) (4) (5) (6) (7) (8) (9) (10) LINE More Photo Mourners pay tribute to Crans-Montana bar fire victims Venezuelan leader Maduro brought to New York Highlights of Chinese President Xi Jinping's 2026 New Year message Beijing-Tangshan intercity railway starts full-line operation First 'Grassland curling' attracts 350 competitors China launches two new satellites for space target detection test ${visuals_2} ${visuals_3} More Video (W.E. Talk) Experts on 2026: China's 15th Five-Year Plan significant for the World (W.E. Talk) Experts look to 2026: Seizing opportunities amid crises, forging ahead after breakthroughs The Awkward Chronicles of Uncle Sam: Claimed Glory, Met Chaos The Dunhuang Flying Dancers in the 1,360°C kiln fire The Awkward Chronicles of Uncle Sam: Tariff Bullying and Backfire (W.E. Talk) Experts' review on 2025: China serves as a stabilizing force in a world of turmoil and chaos ${new_video_hd2} ${new_video_hd3} LINE Media partners: People's Daily | Xinhua | CGTN | China Daily Back to top About Us | Jobs | Contact Us | Privacy Policy Copyright ©1999-2026 Chinanews.com. All rights reserved. Reproduction in whole or in part without permission is prohibited. [ 网上传播视听节目许可证(0106168) ] [ 京ICP证040655号 ] [ 京公网安备 11010202009201号 ] [ 京ICP备05004340号-1 ] --> --> | 2026-01-13T09:29:34 |
https://www.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT3IWyCUG1-4UvYL2ljswjKnsMnT4lhZrlGZTlLOyEYbNa8HYbtpggv47cM9v9YilU9pLdNIN2tM3D2mR_Rdt9OWzBu3nh6sUH9gpaJEJcrToliCVuNi4mactKE0e0lmfD8l-7Fjbzazvgd5 | Facebook Facebook 이메일 또는 휴대폰 비밀번호 계정을 잊으셨나요? 새 계정 만들기 일시적으로 차단됨 일시적으로 차단됨 회원님의 이 기능 사용 속도가 너무 빠른 것 같습니다. 이 기능 사용에서 일시적으로 차단되었습니다. Back 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026 | 2026-01-13T09:29:34 |
https://wordpress.com/pt-br/blog/category/desenvolvimento/ | Desenvolvimento - WordPress.com em Português (Brasil) Produtos Funcionalidades Recursos Planos e preços Fazer login Comece agora Menu Hospedagem WordPress WordPress para agências Seja um afiliado Nomes de domínio Construtor de sites com IA Construtor de sites Crie um Blog Newsletter E-mail Profissional Serviços de design do site Commerce WordPress Studio WordPress para empresas Visão Geral Temas WordPress Plugins WordPress Padrões do WordPress Google Apps Central de ajuda Novidades do WordPress Gerador de nomes de negócios Criador de logos Descubra novos posts Tags populares Pesquisar blog Fechar o menu de navegação Comece agora Registre-se Fazer login Sobre Planos e preços Produtos Hospedagem WordPress WordPress para agências Seja um afiliado Nomes de domínio Construtor de sites com IA Construtor de sites Crie um Blog Newsletter E-mail Profissional Serviços de design do site Commerce WordPress Studio WordPress para empresas Funcionalidades Visão Geral Temas WordPress Plugins WordPress Padrões do WordPress Google Apps Recursos Central de ajuda Novidades do WordPress Gerador de nomes de negócios Criador de logos Descubra novos posts Tags populares Pesquisar blog Aplicativo Jetpack Saiba mais Blog Notícias Desenvolvimento Recursos Dicas e Tutoriais Histórias de Clientes Funcionalidades do Produto Categorias Notícias Desenvolvimento Recursos Dicas e Tutoriais Histórias de Clientes Funcionalidades do Produto Desenvolvimento Explore ideias, inovações e tendências do universo do desenvolvimento, onde código, criatividade e comunidade se reúnem para construir a web do futuro. WordPress 6.9: O que há de novo para desenvolvedores Joe Fylan · 17/12/2025 · 12 min. de leitura Apresentando Blueprints no WordPress Studio 1.6.0 Nick Diego · 13/10/2025 · 6 min. de leitura Sites de testes, agora mais poderosos do que nunca Nick Diego · 01/09/2025 · 3 min. de leitura Como fazer backup do seu site WordPress e dormir tranquilo Joe Fylan · 30/07/2025 · 13 min. de leitura Apresentando push e pull seletivos no WordPress Studio Nick Diego · 23/07/2025 · 8 min. de leitura Fluxos de trabalho de desenvolvimento local do WordPress com o WordPress Studio Nick Diego · 03/07/2025 · 15 min. de leitura Personalize seu fluxo de trabalho com o WordPress Studio: novas preferências no ambiente de desenvolvimento local para WordPress Nick Diego · 27/05/2025 · 3 min. de leitura O que é cPanel (e por que o WordPress.com não o usa)? Nick Schäferhoff · 13/05/2025 · 7 min. de leitura O guia do desenvolvedor para WordPress 6.8 Justin Tadlock · 06/05/2025 · 11 min. de leitura Adicione domínios personalizados e suporte a HTTPS ao seu desenvolvimento local do WordPress com o WordPress Studio Riad Benguella · 03/04/2025 · 3 min. de leitura Altere as versões do WordPress e PHP do seu site local com o WordPress Studio Kateryna Kodonenko · 02/04/2025 · 3 min. de leitura Apresentando sites de prévia: Expandindo os limites da colaboração com WordPress Studio Antonio Sejas · 06/03/2025 · 3 min. de leitura Não perca nada Assine a newsletter do WordPress.com para receber por e-mail notícias, informações e todos os artigos mais recentes. Endereço de e-mail: Assinar WordPress.com Produtos Hospedagem WordPress WordPress para agências Seja um afiliado Nomes de domínio Construtor de sites com IA Construtor de sites Crie um Blog E-mail Profissional Serviços de design do site WordPress Studio WordPress para empresas Funcionalidades Visão Geral Temas WordPress Plugins WordPress Padrões do WordPress Google Apps Recursos Blogs WordPress.com Gerador de nomes de negócios Criador de logos Leitor WordPress.com Acessibilidade Remover assinaturas Ajuda Central de ajuda Guias Cursos Fórum Contato Recursos para desenvolvedores Empresa Sobre Imprensa Termos de Serviço Política de Privacidade Não venda ou compartilhe minhas informações pessoais Aviso de privacidade para usuários da Califórnia English Español Français Português do Brasil 日本語 English Español Français Português do Brasil 日本語 Aplicativos móveis Baixar na App Store Obter no Google Play Mídia social WordPress.com no Facebook WordPress.com no X (Twitter) WordPress.com no Instagram WordPress.com no YouTube Automattic Automattic Trabalhe conosco Assinar Assinado WordPress.com em Português (Brasil) Junte-se a 4.418.166 outros assinantes Cadastre-me Já tem uma conta do WordPress.com? Faça login agora. WordPress.com em Português (Brasil) Assinar Assinado Registre-se Fazer login Denunciar este conteúdo Visualizar site no Leitor Gerenciar assinaturas Esconder esta barra Carregando comentários... Escreva um Comentário E-mail (obrigatório) Nome (obrigatório) Site | 2026-01-13T09:29:34 |
https://cloudflare.com/en-gb/modernize-networks/ | Modernize networks | Cloudflare Sign up Languages English English (United Kingdom) Deutsch Español (Latinoamérica) Español (España) Français Italiano 日本語 한국어 Polski Português (Brasil) Русский 繁體中文 简体中文 Platform Connectivity cloud Cloudflare’s connectivity cloud delivers 60+ networking, security, and performance services. Enterprise For large and medium organizations Small business For small organizations Partner Become a Cloudflare partner use cases Modernize applications Accelerate performance Ensure app availability Optimize web experience Modernize security VPN replacement Phishing protection Secure web apps and APIs Modernize networks Coffee shop networking WAN modernization Simplify your corporate network CxO topics Adopt AI Bring AI into workforces and digital experiences AI security Secure agentic AI and GenAI applications Data compliance Streamline compliance and minimize risk Post-quantum cryptography Safeguard data and meet compliance standards Industries Healthcare Banking Retail Gaming Public sector Resources Product guides Reference architectures Analyst reports Engage Events Demos Webinars Workshops Request a demo Products products Workspace security Zero trust network access Secure web gateway Email security Cloud access security broker Application security L7 DDoS protection Web application firewall API security Bot management Application performance CDN DNS Smart routing Load balancing Networking and SASE L3/4 DDoS protection NaaS / SD-WAN Firewall-as-a-service Network Interconnect plans & pricing Enterprise plans Small business plans Individual plans Compare plans Global services Support and success bundles Optimized Cloudflare experience Professional services Expert-led implementation Technical account management Focused technical management Security operations service Cloudflare monitoring and response Domain registration Buy and manage domains 1.1.1.1 Free DNS resolver Resources Product guides Reference architectures Analyst reports Product demos and tours Help me choose Developers documentation Developer library Documentation and guides Application demos Explore what you can build Tutorials Step-by-step build tutorials Reference architecture Diagrams and design patterns Products Artificial Intelligence AI Gateway Observe, control AI apps Workers AI Run ML models on our network Compute Observability Logs, metrics, and traces Workers Build, deploy serverless apps Media Images Transform, optimize images Realtime Build real-time audio/video apps Storage & database D1 Create serverless SQL databases R2 Store data without costly egress fees Plans & Pricing Workers Build and deploy serverless apps Workers KV Serverless key-value store for apps R2 Store data without costly egrees fees Explore projects Customer stories AI Demo in 30 seconds Quick guide to get started Explore Workers Playground Build, test, and deploy Developers Discord Join the community Start building Partners Partner Network Grow, innovate and meet customer needs with Cloudflare Partner Portal Find resources and register deals Partnership Types PowerUP Program Grow your business while keeping your customers connected and secure Technology Partners Explore our ecosystem of technology partners and integrators Global System Integrators Support seamless large-scale digital transformation Service Providers Discover our network of valued service providers Self-serve agency program Manage Self-Serve Accounts for your clients Peer-to-peer portal Traffic insights for your network Find a partner PowerUP your business - connect with Cloudflare Powered+ partners. Resources Engage Demos + product tours On-demand product demos Case studies Driving success with Cloudflare Webinars Insightful discussions Workshops Virtual forums Library Helpful guides, roadmaps, and more Reports Insights from Cloudflare’s research Blog Technical deep dives and product news Learning center Educational tools and how-to content Build Reference architecture Technical guides Solution + product guides Product documentation Documentation Developer documentation Explore theNET Executive insights for the digital enterprise Cloudflare TV Innovative series and events Cloudforce One Threat research and operations Radar Internet traffic and security trends Analyst reports Industry research reports Events Upcoming regional events Trust, privacy, and compliance Compliance information and policies Support Contact us Community forum Lost account access? Developers Discord Get help Company Company info Leadership Meet our leaders Investor relations Investor information Press Explore recent news Careers Explore open roles Trust, Privacy, & Safety Privacy Policy, data, and protection Trust Policy, process, and safety Compliance Certification and regulation Transparency Policy and disclosures Public Interest Humanitarian Project Galileo Government Athenian Project Elections Cloudflare For Campaigns Health Project Fair Shot Global network Global locations and status Log in Contact sales Modernize enterprise networks Use the Cloudflare network to simplify enterprise connectivity — make your network more performant, reliable, and secure. Request a consultation Get solution brief Problem Networks become complex, brittle, and inefficient over time Networks become complex, brittle, and operationally inefficient over time. Many traditional and cloud-based security products make the complexity problem even worse, due to the narrow focus of their capabilities. Read whitepaper Inflexible Traditional networking was not designed for rapid expansion, cloud applications, and hybrid work — leaving organizations unable to adapt to changing market conditions. Expensive Legacy networks are operationally expensive, due to the cost of purchasing and maintaining appliances, and around-the-clock administration. Insecure Internal networks have coarse access controls, which allow too much access and open the door to lateral movement. Solution Modernize your network infrastructure with Cloudflare Eliminate networking and security appliances, and adopt the Cloudflare connectivity cloud . It delivers secure, fast, and reliable service to any point in the world, and easily adapts to new business requirements. Get the guide Network modernization use cases Network protection for data centers Protect public-facing infrastructure from external threats with Magic Transit and Magic Firewall . Zero Trust/SSE/SASE Protect users and secure applications with Cloudflare One , our Zero Trust cloud security and connectivity platform. Coffee shop networking Streamline the user experience and simplify your network with Cloudflare One . Cloud networking Re-establish network visibility and control within and between clouds with Magic cloud networking . Use Cloudflare for networking to strengthen your business continuity, improve the user experience, and reduce operating costs 95% Reduction of the attack surface 48% lower total cost of ownership (TCO) for security and IT investments 35% reduction in network latency Global leaders, including 30% of the Fortune 1000, rely on Cloudflare Ready to have a conversation with a specialist? Request a consultation HOW IT WORKS Instead of building network infrastructure, use Cloudflare’s global network Cloudflare delivers the SASE capabilities for Network-as-a-Service and Network Security-as-a-Service through a single, centrally managed control plane. Organizations simply connect their users, offices, and clouds to the nearest Cloudflare Anycast data center for visibility and control for all traffic. Building a hardware-independent secure cloud infrastructure to support rapid growth Credit Saison India sought a security infrastructure that did not require extensive equipment upgrades or a patchwork of third-party software solutions to support a hybrid workforce of employees, partners, and contractors. Simplifying management was another priority. Credit Saison India selected Cloudflare One , the unified platform that brings together Cloudflare’s ZTNA and networking solutions . Credit Saison India now secures employees, and public and private networks , without additional hardware, VPNs, or excessive infrastructure investments. “We made the right decision early, and it empowered us to scale confidently. Being prepared and proactive with Cloudflare will save us a lot of time and money in the long term.” Chief Technology Officer, Credit Saison India View more case studies Resources Slide 1 of 6 Whitepaper Developing a strategy for network modernization Read whitepaper Whitepaper The Path to VPN replacement Read whitepaper Report A Visionary in 2025 Gartner® Magic Quadrant™ for SASE Platforms Read report Webinar From complexity to clarity: The SASE roadmap to security & network unification Register Infographic Is your traditional network architecture creating too many operational headaches? It may be time to reroute all traffic flows with a modern, unified approach. Download brief Whitepaper Coffee shop networking with Cloudflare Read whitepaper Whitepaper Developing a strategy for network modernization Read whitepaper Whitepaper The Path to VPN replacement Read whitepaper Report A Visionary in 2025 Gartner® Magic Quadrant™ for SASE Platforms Read report Webinar From complexity to clarity: The SASE roadmap to security & network unification Register Infographic Is your traditional network architecture creating too many operational headaches? It may be time to reroute all traffic flows with a modern, unified approach. Download brief Whitepaper Coffee shop networking with Cloudflare Read whitepaper Whitepaper Developing a strategy for network modernization Read whitepaper Whitepaper The Path to VPN replacement Read whitepaper Report A Visionary in 2025 Gartner® Magic Quadrant™ for SASE Platforms Read report Webinar From complexity to clarity: The SASE roadmap to security & network unification Register Infographic Is your traditional network architecture creating too many operational headaches? It may be time to reroute all traffic flows with a modern, unified approach. Download brief Whitepaper Coffee shop networking with Cloudflare Read whitepaper GETTING STARTED Free plans Small business plans For enterprises Get a recommendation Request a demo Contact sales SOLUTIONS Connectivity cloud Application services SASE and workspace security Network services Developer platform SUPPORT Help center Customer support Community forum Developers Discord Lost account access? Cloudflare status COMPLIANCE Compliance resources Trust GDPR Responsible AI Transparency report Report abuse PUBLIC INTEREST Project Galileo Athenian Project Cloudflare for Campaigns Project Fairshot COMPANY About Cloudflare Network map Our team Logos & press kit Diversity, equity, & inclusion Impact/ESG © 2026 Cloudflare, Inc. Privacy Policy Terms of Use Report Security Issues Cookie Preferences Trademark | 2026-01-13T09:29:34 |
https://es-la.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT3IWyCUG1-4UvYL2ljswjKnsMnT4lhZrlGZTlLOyEYbNa8HYbtpggv47cM9v9YilU9pLdNIN2tM3D2mR_Rdt9OWzBu3nh6sUH9gpaJEJcrToliCVuNi4mactKE0e0lmfD8l-7Fjbzazvgd5 | Facebook Facebook Correo o teléfono Contraseña ¿Olvidaste tu cuenta? Crear cuenta nueva Se te bloqueó temporalmente Se te bloqueó temporalmente Parece que hiciste un uso indebido de esta función al ir muy rápido. Se te bloqueó su uso temporalmente. Back Español 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch Registrarte Iniciar sesión Messenger Facebook Lite Video Meta Pay Tienda de Meta Meta Quest Ray-Ban Meta Meta AI Más contenido de Meta AI Instagram Threads Centro de información de votación Política de privacidad Centro de privacidad Información Crear anuncio Crear página Desarrolladores Empleo Cookies Opciones de anuncios Condiciones Ayuda Importación de contactos y no usuarios Configuración Registro de actividad Meta © 2026 | 2026-01-13T09:29:34 |
https://es-la.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.threads.com%252F%26amp%253Bh%3DAT3MxmFOjrt9aYBchLGSKdPWPfqoZ8uVG0I8P68QD7mSg88iRNJ5L0erzaBuBAleA5IMC20JuDj-z-Oqq62-c2azKmDlWxvSkmqhyahLZ8nKqNZvqThtJ2lJViTfMFkgbIO1AoRKvSc2r498 | Facebook Facebook Correo o teléfono Contraseña ¿Olvidaste tu cuenta? Crear cuenta nueva Se te bloqueó temporalmente Se te bloqueó temporalmente Parece que hiciste un uso indebido de esta función al ir muy rápido. Se te bloqueó su uso temporalmente. Back Español 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch Registrarte Iniciar sesión Messenger Facebook Lite Video Meta Pay Tienda de Meta Meta Quest Ray-Ban Meta Meta AI Más contenido de Meta AI Instagram Threads Centro de información de votación Política de privacidad Centro de privacidad Información Crear anuncio Crear página Desarrolladores Empleo Cookies Opciones de anuncios Condiciones Ayuda Importación de contactos y no usuarios Configuración Registro de actividad Meta © 2026 | 2026-01-13T09:29:34 |
https://zh-cn.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.threads.com%252F%26amp%253Bh%3DAT3MxmFOjrt9aYBchLGSKdPWPfqoZ8uVG0I8P68QD7mSg88iRNJ5L0erzaBuBAleA5IMC20JuDj-z-Oqq62-c2azKmDlWxvSkmqhyahLZ8nKqNZvqThtJ2lJViTfMFkgbIO1AoRKvSc2r498 | Facebook Facebook 邮箱或手机号 密码 忘记账户了? 创建新账户 你暂时被禁止使用此功能 你暂时被禁止使用此功能 似乎你过度使用了此功能,因此暂时被阻止,不能继续使用。 Back 中文(简体) 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 日本語 Português (Brasil) Français (France) Deutsch 注册 登录 Messenger Facebook Lite 视频 Meta Pay Meta 商店 Meta Quest Ray-Ban Meta Meta AI Meta AI 更多内容 Instagram Threads 选民信息中心 隐私政策 隐私中心 关于 创建广告 创建公共主页 开发者 招聘信息 Cookie Ad Choices 条款 帮助 联系人上传和非用户 设置 动态记录 Meta © 2026 | 2026-01-13T09:29:34 |
https://cn.chinadaily.com.cn/a/202504/18/WS680242e0a310e29a7c4aa195.html | 网信部门持续整治利用未成年人形象不当牟利问题 - 中国日报网 网信部门持续整治利用未成年人形象不当牟利问题 此类违规行为无视未成年人身心发展特点,违背孩子主观意愿,将童真童趣异化为流量变现工具,对未成年人造成负面影响。 站内搜索 搜狗搜索 中国搜索 --> 订阅 移动 English 首页 时政 时政要闻 评论频道 学习时代 两岸频道 资讯 独家 中国日报专稿 传媒动态 每日一词 法院公告 C财经 证券 独家 科技 产业 文旅 生活 中国有约 视频 专栏 双语 双语财讯 每日一词 双语新闻 新闻热词 译词课堂 --> 漫画 观天下 中国观察 中国日报网评 中国那些事儿 和评理 侨一瞧 地方 China Daily Homepage 中文网首页 时评 资讯 C财经 生活 视频 专栏 双语 --> 漫画 原创 观天下 地方频道 --> 关闭 中国日报网 > 要闻 > 网信部门持续整治利用未成年人形象不当牟利问题 来源:央视新闻客户端 2025-04-18 20:17 --> 分享到微信 今年以来,网信部门持续强化未成年人网络保护,根据日常管理和网民举报线索,持续清理利用未成年人形象发布的违法不良信息,多批次从严处置违规账号。此类违规行为无视未成年人身心发展特点,违背孩子主观意愿,将童真童趣异化为流量变现工具,对未成年人造成负面影响。 典型问题包括: 恶搞儿童、博取眼球。包括用道具刀假装砍儿童肢体,制造“万万没想到”场景;在孩子身上扔食物、乱涂画,进行所谓“惩罚教育”。 虚假摆拍、制造争议。部分账号摆拍亲子冲突剧情,让未成年人演绎分手、相亲感悟,教唆孩子模仿成人抽烟。 不当言行、歪曲导向。在部分短视频中,未成年人频繁展示奢侈品开箱或巨额现金场景,进行网络炫富。有视频打着揭露批判、警示教育的名义,刻意让未成年人演绎不当行为、作出危险动作,发布同质化文案渲染炒作,造成不良示范。 违规引流、规避打击。部分账号以“举牌”售卖所谓定制图片、发布定制舞蹈等名义,引流添加好友,通过“一对一”交流等隐蔽形式传播低俗色情内容。 网信部门压实平台主体责任,指导平台加大违规线索摸排打击力度,从严审核涉未成年人信息内容,累计对1.1万余个违规账号采取禁言、取消营利权限、关闭等处置措施。 网信部门指出,近期工作中发现涉未成年人问题新苗头,部分账号通过低幼装扮、添加“学生”标签、定位学校地址等方式,假借未成年人名义发布不良导向内容,企图混淆视听、牟取利益,借机在隐蔽环节实施违法犯罪行为。对此,网信部门将按照最有利于未成年人的原则,指导平台对相关违规内容和账号从严采取处置措施,并配合公安机关强化违法犯罪打击。同时,网信部门提示,未成年人模式是引导未成年人安全合理使用网络的一项便捷技术工具,在充分保障未成年人个人信息安全的情况下,通过一键启动、时长管理、专属内容等多元功能,保护未成年人免受不良信息侵扰。但充分发挥模式保护作用,离不开各方的共同努力,希望广大家长和未成年人用户主动开启未成年人模式,最大限度保障安全上网。 (总台央视记者 张岗) 【责任编辑:马芮】 COMPO WS680242e0a310e29a7c4aa195 https://cn.chinadaily.com.cn/a/202504/18/WS680242e0a310e29a7c4aa195.html 专题 全民国家安全教育日 “我眼中的孔子”全球征集活动邀你一起致敬圣贤 党旗在基层一线高高飘扬 直播专题:缅甸发生强烈地震 推荐阅读 中国债券市场总规模位居世界第二 境外机构看好我国债券市场 “不满意”“越早走人越好” 特朗普再度炮轰美联储主席鲍威尔 网信部门持续整治利用未成年人形象不当牟利问题 多地出台产业支持政策 竞逐“人工智能+”赛道 市场监管总局:强化直播带货商品溯源管理 闻颜闻丨北京City Walk新玩法:在电影取景地当10分钟主角 每日一词 | 高水平战略性中马命运共同体 商务部:2025年1—3月全国吸收外资2692.3亿元 推荐阅读 中国债券市场总规模位居世界第二 境外机构看好我国债券市场 “不满意”“越早走人越好” 特朗普再度炮轰美联储主席鲍威尔 网信部门持续整治利用未成年人形象不当牟利问题 多地出台产业支持政策 竞逐“人工智能+”赛道 市场监管总局:强化直播带货商品溯源管理 闻颜闻丨北京City Walk新玩法:在电影取景地当10分钟主角 每日一词 | 高水平战略性中马命运共同体 商务部:2025年1—3月全国吸收外资2692.3亿元 关于我们 | 联系我们 首页 时评 资讯 财经 生活 视频 专栏 漫画 独家 招聘 地方频道: 北京 天津 河北 山西 辽宁 吉林 黑龙江 上海 江苏 浙江 福建 江西 山东 河南 湖北 湖南 广东 广西 海南 重庆 四川 贵州 云南 西藏 陕西 新疆 深圳 友情链接: 人民网 新华网 中国网 国际在线 央视网 中国青年网 中国经济网 中国台湾网 中国西藏网 央广网 光明网 中国军网 中国新闻网 人民政协网 法治网 违法和不良信息举报 互联网新闻信息服务许可证10120170006 信息网络传播视听节目许可证0108263号 京公网安备11010502032503号 京网文[2011]0283-097号 京ICP备13028878号-6 中国日报网版权说明:凡注明来源为“中国日报网:XXX(署名)”,除与中国日报网签署内容授权协议的网站外,其他任何网站或单位未经允许禁止转载、使用,违者必究。如需使用,请与010-84883777联系;凡本网注明“来源:XXX(非中国日报网)”的作品,均转载自其它媒体,目的在于传播更多信息,其他媒体如需转载,请与稿件来源方联系,如产生任何问题与本网无关。 版权保护:本网登载的内容(包括文字、图片、多媒体资讯等)版权属中国日报网(中报国际文化传媒(北京)有限公司)独家所有使用。 未经中国日报网事先协议授权,禁止转载使用。给中国日报网提意见:rx@chinadaily.com.cn C财经客户端 扫码下载 Chinadaily-cn 中文网微信 首页 时评 资讯 C财经 生活 视频 专栏 地方 漫画 观天下 PC版 中文 English 中国日报版权所有 Content@chinadaily.com.cn | 2026-01-13T09:29:34 |
https://vi-vn.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fabout.meta.com%252Ftechnologies%252Fmeta-pay%26amp%253Bh%3DAT3MxmFOjrt9aYBchLGSKdPWPfqoZ8uVG0I8P68QD7mSg88iRNJ5L0erzaBuBAleA5IMC20JuDj-z-Oqq62-c2azKmDlWxvSkmqhyahLZ8nKqNZvqThtJ2lJViTfMFkgbIO1AoRKvSc2r498 | Facebook Facebook Email hoặc điện thoại Mật khẩu Bạn quên tài khoản ư? Tạo tài khoản mới Bạn tạm thời bị chặn Bạn tạm thời bị chặn Có vẻ như bạn đang dùng nhầm tính năng này do sử dụng quá nhanh. Bạn tạm thời đã bị chặn sử dụng nó. Back Tiếng Việt 한국어 English (US) Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch Đăng ký Đăng nhập Messenger Facebook Lite Video Meta Pay Cửa hàng trên Meta Meta Quest Ray-Ban Meta Meta AI Nội dung khác do Meta AI tạo Instagram Threads Trung tâm thông tin bỏ phiếu Chính sách quyền riêng tư Trung tâm quyền riêng tư Giới thiệu Tạo quảng cáo Tạo Trang Nhà phát triển Tuyển dụng Cookie Lựa chọn quảng cáo Điều khoản Trợ giúp Tải thông tin liên hệ lên & đối tượng không phải người dùng Cài đặt Nhật ký hoạt động Meta © 2026 | 2026-01-13T09:29:34 |
https://www.ecns.cn/photo/2025-12-31/detail-iheymvap1609543.shtml | Highlights of Chinese President Xi Jinping's 2026 New Year message --> 中文 Home News Ecns Wire Business Travel Photo Video Voices RIGHT BG LINE Text: A A A Print Photo Highlights of Chinese President Xi Jinping's 2026 New Year message 2025-12-31 20:35:29 Ecns.cn Editor : Wang Luyao ECNS App Download Chinese President Xi Jinping on Wednesday said China has met the targets in its 14th Five-Year Plan for economic and social development, and made solid advances on the new journey of Chinese modernization. As the year 2025 marks the completion of the Plan, China's economic strength, scientific and technological abilities, defense capabilities, and composite national strength all reached new heights, Xi said in his 2026 New Year message. More Photo Highlights of Chinese President Xi Jinping's 2026 New Year message Beijing-Tangshan intercity railway starts full-line operation Passenger trips of 3 major Hainan airports exceed 50 million in 2025 First 'Grassland curling' attracts 350 competitors China launches two new satellites for space target detection test People perform 'circle dance' to pray for a bountiful new year in Qingha Central London illuminated to welcome 2026 Chinese Foreign Minister meets Cambodian Deputy PM in Yunnan Exploring vivid sports competition throughout 2025 Exploring stunning winter scenery in Altay China's first L3 self-driving car debuts in Chongqin Grand bridge ready for traffic operation in Guizhou Harbin's celebrity snowman lights up winter night Southbound Travel for Guangdong Vehicles scheme implemented for entry into urban Hong Kong China's Feng/Huang claim mixed doubles title at BWF World Tour Finals Exploring overwintering migratory birds in Poyang Lake Xi presents orders to promote two military officers to rank of genera Inner Mongolia holds winter festival Memorial held for victims of Bondi Beach shooting in Sydney New year display unveiled at Times Square Night view of the 27th Harbin Ice and Snow World resembles fairy tale China launches island-wide special customs operations in Hainan FTP Why the world comes to Yiwu Exploring Hainan Free Trade Port before island-wide special customs operations Japanese bid farewell to the last two giant pandas Hainan's tallest building reaches key construction milestone Newly released Russia-transferred Japanese Unit 731 atrocity archives reveal human experiments, biological warfare committed by Japanese Imperial Army: FM Hainan FTP ready for island-wide independent customs operation Witnesses of a painful past, still waiting for an apology Geminid meteor shower seen across China Team China Sun Yingsha, Wang Chuqin win silver at the WTT Finals Hong Kong 2025 Kum Tag Desert welcomes its first snowfall this winter China's Lin Shidong advances to quarterfinals at WTT United States Smash Main tower of 27th Harbin Ice and Snow World topped out in NE China China launches sitellites for UAE, Egypt, Nepal Photo exhibition in Kazakhstan marks 70th founding anniversary of China's Xinjiang Uygur Autonomous Region Most popular in 24h More Top news Full text: Chinese President Xi Jinping's 2026 New Year message (W.E. Talk) Experts' review on 2025: China serves as a stabilizing force in a world of turmoil and chaos AS700 airship receives production certificate, readies for flight services China in elite global manufacturing club Xi, Putin exchange New Year greetings More Video The Awkward Chronicles of Uncle Sam: Tariff Bullying and Backfire (W.E. Talk) Experts' review on 2025: China serves as a stabilizing force in a world of turmoil and chaos LINE Media partners: People's Daily | Xinhua | CGTN | China Daily Back to top About Us | Jobs | Contact Us | Privacy Policy Copyright ©1999-2025 Chinanews.com. All rights reserved. Reproduction in whole or in part without permission is prohibited. [ 网上传播视听节目许可证(0106168) ] [ 京ICP证040655号 ] [ 京公网安备 11010202009201号 ] [ 京ICP备05004340号-1 ] --> --> | 2026-01-13T09:29:34 |
https://th-th.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.threads.com%252F%26amp%253Bh%3DAT3MxmFOjrt9aYBchLGSKdPWPfqoZ8uVG0I8P68QD7mSg88iRNJ5L0erzaBuBAleA5IMC20JuDj-z-Oqq62-c2azKmDlWxvSkmqhyahLZ8nKqNZvqThtJ2lJViTfMFkgbIO1AoRKvSc2r498 | Facebook Facebook อีเมลหรือโทรศัพท์ รหัสผ่าน ลืมบัญชีใช่หรือไม่ สร้างบัญชีใหม่ คุณถูกบล็อกชั่วคราว คุณถูกบล็อกชั่วคราว ดูเหมือนว่าคุณจะใช้คุณสมบัตินี้ในทางที่ผิดโดยการใช้เร็วเกินไป คุณถูกบล็อกจากการใช้โดยชั่วคราว Back ภาษาไทย 한국어 English (US) Tiếng Việt Bahasa Indonesia Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch สมัคร เข้าสู่ระบบ Messenger Facebook Lite วิดีโอ Meta Pay Meta Store Meta Quest Ray-Ban Meta Meta AI เนื้อหาเพิ่มเติมจาก Meta AI Instagram Threads ศูนย์ข้อมูลการลงคะแนนเสียง นโยบายความเป็นส่วนตัว ศูนย์ความเป็นส่วนตัว เกี่ยวกับ สร้างโฆษณา สร้างเพจ ผู้พัฒนา ร่วมงานกับ Facebook คุกกี้ ตัวเลือกโฆษณา เงื่อนไข ความช่วยเหลือ การอัพโหลดผู้ติดต่อและผู้ที่ไม่ได้ใช้บริการ การตั้งค่า บันทึกกิจกรรม Meta © 2026 | 2026-01-13T09:29:34 |
https://ja-jp.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.threads.com%252F%26amp%253Bh%3DAT3MxmFOjrt9aYBchLGSKdPWPfqoZ8uVG0I8P68QD7mSg88iRNJ5L0erzaBuBAleA5IMC20JuDj-z-Oqq62-c2azKmDlWxvSkmqhyahLZ8nKqNZvqThtJ2lJViTfMFkgbIO1AoRKvSc2r498 | Facebook Facebook メールアドレスまたは電話番号 パスワード アカウントを忘れた場合 新しいアカウントを作成 機能の一時停止 機能の一時停止 この機能の使用ペースが早過ぎるため、機能の使用が一時的にブロックされました。 Back 日本語 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) Português (Brasil) Français (France) Deutsch アカウント登録 ログイン Messenger Facebook Lite 動画 Meta Pay Metaストア Meta Quest Ray-Ban Meta Meta AI Meta AIのコンテンツをもっと見る Instagram Threads 投票情報センター プライバシーポリシー プライバシーセンター Facebookについて 広告を作成 ページを作成 開発者 採用情報 Cookie AdChoices 規約 ヘルプ 連絡先のアップロードと非ユーザー 設定 アクティビティログ Meta © 2026 | 2026-01-13T09:29:34 |
https://chromewebstore.google.com/detail/category/top-charts/detail/askbelynda-sustainable-sh/category/extensions/productivity/ | Chrome Web Store Skip to main content Chrome Web Store My extensions & themes Developer Dashboard Give feedback Sign in Discover Extensions Themes Welcome to Chrome Web Store Welcome to the Chrome Web Store Supercharge your browser with extensions and themes for Chrome See collection Favorites of 2025 Discover the standout AI extensions that made our year See collection Every day is Earth Day Plant trees, shop sustainably, and more See collection Adobe Photoshop Easily remove backgrounds, adjust colors and more. Plus, get 6 months free access to Photoshop web. 3.7 600K Users See details The future of writing Elevate your writing and create engaging and high-quality content effortlessly See collection 1 / 5 Top categories Shopping Entertainment Tools Art & Design Accessibility Top charts Trending Kami for Google Chrome™ Education 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. BetterCampus (prev. BetterCanvas) Education 4.9 Average rating 4.9 out of 5 stars. Learn more about results and reviews. Read&Write for Google Chrome™ Accessibility 3.4 Average rating 3.4 out of 5 stars. Learn more about results and reviews. See more Popular Volume Master Accessibility 4.8 Average rating 4.8 out of 5 stars. Learn more about results and reviews. Free VPN for Chrome - VPN Proxy VeePN Workflow & Planning 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. AdBlock — block ads across the web Workflow & Planning 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. See more New and notable Ad Block Wonder Privacy & Security 4.3 Average rating 4.3 out of 5 stars. Learn more about results and reviews. Smart popup blocker Tools 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Manus AI Browser Operator Tools 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. See more Editors' Picks for you Handpicked by Chrome Editors See collection Extend your browser See more Discover a new level of convenience and customization with side panel extensions Chat with all AI models (Gemini, Claude, DeepSeek…) & AI Agents | AITOPIA 4.9 Average rating 4.9 out of 5 stars. Learn more about results and reviews. AI Agent Marketplace & AI Sidebar with all AI models (Gemini, Claude, DeepSeek & more) and hundreds of AI Agents Adobe Photoshop 3.7 Average rating 3.7 out of 5 stars. Learn more about results and reviews. Easily remove backgrounds, adjust colors and more. Plus, get 6 months free access to Photoshop web. BrowserGPT: ChatGPT Anywhere Powered by GPT 4 4.4 Average rating 4.4 out of 5 stars. Learn more about results and reviews. Write, reword, and translate 8x faster. Reply to emails in a click. Works on Google Docs, Gmail, YouTube, Twitter, Instagram, etc. Sidebar: ChatGPT, Bookmarks, GPT-4o | Meomni 4.8 Average rating 4.8 out of 5 stars. Learn more about results and reviews. Ultimate Sidebar ChatGPT Assistant, Bookmarks with AI, Calendar and Tasks Fleeting Notes 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Quick notes from the browser to Obsidian Eclipse your screen Dim the lights with our dark mode selections See collection Chrome monthly spotlight Promising extensions to try out Web Highlights: PDF & Web Highlighter + Notes & AI Summary Productivity Highlighter & Annotation Tool for Websites & PDFs with AI Summary - free, easy to use, no sign-up required. Moonlight: AI Colleague for Research Papers Everything you need to read a paper: explanation, summary, translation, chat, and reference search. Reboost - Track Water Intake and Set Reminders Track your water intake and set custom reminders. Stay hydrated, stay on track, and never miss a break! ✨ YouTube Notes to Notion with Udemy, Coursera, BiliBili and more by Snipo Take YouTube notes directly to Notion, generate AI flashcards, capture screenshots, and sync learning courses with Notion Works with Gmail See more Boost your email productivity Boomerang for Gmail 4.2 Average rating 4.2 out of 5 stars. Learn more about results and reviews. Meeting scheduling and email management tool trusted by millions. Schedule meetings, track responses, send later, and more. Checker Plus for Gmail™ 4.7 Average rating 4.7 out of 5 stars. Learn more about results and reviews. Get notifications, read, listen to or delete emails without opening Gmail and easily manage multiple accounts. Email Tracker by Mailtrack® 4.4 Average rating 4.4 out of 5 stars. Learn more about results and reviews. Free, unlimited email tracker for Gmail, trusted by millions. Accurate, reliable, GDPR-compliant, and Google-audited. Streak CRM for Gmail 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. Manage sales and customer relationships directly inside Gmail. GMass: Powerful mail merge for Gmail 4.8 Average rating 4.8 out of 5 stars. Learn more about results and reviews. A powerful mass email and mail merge system for Gmail. Just for fun Bring some joy to your browser See collection Learn a new language See more Study while you browse Google Translate 4.2 Average rating 4.2 out of 5 stars. Learn more about results and reviews. View translations easily as you browse the web. By the Google Translate team. Rememberry - Translate and Memorize with Flashcards 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Translate words while browsing and turn them into spaced repetition flashcards to build foreign language vocabulary. DeepL: translate and write with AI 4.7 Average rating 4.7 out of 5 stars. Learn more about results and reviews. Translate while you read and write with DeepL Translate, the world’s most accurate translator. Relingo - Master vocabulary while browsing websites and watching YouTube 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Relingo extract words, full-text immersive translation while browsing. Also supports bilingual subtitles for Youtube, Netflix, etc. Readlang Web Reader 4.3 Average rating 4.3 out of 5 stars. Learn more about results and reviews. Read websites in the language you're learning, translate words you don't know, and we'll create flashcards to help you remember. Game on See more Beat boredom with bite-sized games in your browser BattleTabs 4.7 Average rating 4.7 out of 5 stars. Learn more about results and reviews. Multiplayer Battles in your New Tab Tiny Tycoon 4.7 Average rating 4.7 out of 5 stars. Learn more about results and reviews. Build a tiny tycoon on a tiny planet. Boxel 3D 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Boxel 3D is a speedrunning game packed with challenging levels, custom skins, online multiplayer, and a creative level editor. Ice Dodo 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Play 3D game easily by clicking the little icon at the top right corner of your browser. Boxel Golf 4.7 Average rating 4.7 out of 5 stars. Learn more about results and reviews. Boxel Golf is a multiplayer golf game packed with challenging courses, custom hats, and a powerful level builder. Work smarter, not harder with AI Automate tasks and stay focused and organized with AI-powered productivity extensions See collection For music lovers See more Equalizers, radios, playlists, and more Volume Master 4.8 Average rating 4.8 out of 5 stars. Learn more about results and reviews. Up to 600% volume boost Music Mode for YouTube™ 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. Hides the video and thumbnails on YouTube. Blocks the video keeping only the audio on YouTube Music. Smart Mute 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. Listen to audio one tab at a time. Modest Guitar | Columns for Ultimate-Guitar 4.8 Average rating 4.8 out of 5 stars. Learn more about results and reviews. Multiple columns and fullscreen for Ultimate-Guitar tabs Chrome Piano 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. Play the piano in your browser Google apps About Chrome Web Store Developer Dashboard Privacy Policy Terms of Service Help | 2026-01-13T09:29:34 |
https://pt-br.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT3iNoy-SvxdGVdmazAn_xezSgswelXx8pn_9qF1pOs33p6ekDKGYocx7-70H9nnX7_eTCuSCk23bWHDQmR6FbwdgVHZcuf_6LXZydwO3ZI3tA1r4RuHOW79QFJuo5a-cD4M_KHSV4P2nhxf | Facebook Facebook Email ou telefone Senha Esqueceu a conta? Criar nova conta Você está bloqueado temporariamente Você está bloqueado temporariamente Parece que você estava usando este recurso de forma indevida. Bloqueamos temporariamente sua capacidade de usar o recurso. Back Português (Brasil) 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Français (France) Deutsch Cadastre-se Entrar Messenger Facebook Lite Vídeo Meta Pay Meta Store Meta Quest Ray-Ban Meta Meta AI Mais conteúdo da Meta AI Instagram Threads Central de Informações de Votação Política de Privacidade Central de Privacidade Sobre Criar anúncio Criar Página Desenvolvedores Carreiras Cookies Escolhas para anúncios Termos Ajuda Upload de contatos e não usuários Configurações Registro de atividades Meta © 2026 | 2026-01-13T09:29:34 |
https://www.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fabout.meta.com%252Ftechnologies%252Fmeta-pay%26amp%253Bh%3DAT3MxmFOjrt9aYBchLGSKdPWPfqoZ8uVG0I8P68QD7mSg88iRNJ5L0erzaBuBAleA5IMC20JuDj-z-Oqq62-c2azKmDlWxvSkmqhyahLZ8nKqNZvqThtJ2lJViTfMFkgbIO1AoRKvSc2r498 | Facebook Facebook 이메일 또는 휴대폰 비밀번호 계정을 잊으셨나요? 새 계정 만들기 일시적으로 차단됨 일시적으로 차단됨 회원님의 이 기능 사용 속도가 너무 빠른 것 같습니다. 이 기능 사용에서 일시적으로 차단되었습니다. Back 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026 | 2026-01-13T09:29:34 |
https://pt-br.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fabout.meta.com%252Ftechnologies%252Fmeta-pay%26amp%253Bh%3DAT3MxmFOjrt9aYBchLGSKdPWPfqoZ8uVG0I8P68QD7mSg88iRNJ5L0erzaBuBAleA5IMC20JuDj-z-Oqq62-c2azKmDlWxvSkmqhyahLZ8nKqNZvqThtJ2lJViTfMFkgbIO1AoRKvSc2r498 | Facebook Facebook Email ou telefone Senha Esqueceu a conta? Criar nova conta Você está bloqueado temporariamente Você está bloqueado temporariamente Parece que você estava usando este recurso de forma indevida. Bloqueamos temporariamente sua capacidade de usar o recurso. Back Português (Brasil) 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Français (France) Deutsch Cadastre-se Entrar Messenger Facebook Lite Vídeo Meta Pay Meta Store Meta Quest Ray-Ban Meta Meta AI Mais conteúdo da Meta AI Instagram Threads Central de Informações de Votação Política de Privacidade Central de Privacidade Sobre Criar anúncio Criar Página Desenvolvedores Carreiras Cookies Escolhas para anúncios Termos Ajuda Upload de contatos e não usuários Configurações Registro de atividades Meta © 2026 | 2026-01-13T09:29:34 |
https://l.facebook.com/l.php?u=https%3A%2F%2Fwww.instagram.com%2F&h=AT2CWri8WI00deP0zN_PMtcDmO9uY6NKnQKHH4uHiS8Lx0jxIgZTkZLc9vMwwIdxL5jGWh_IgsDZi5LqgBZ1WHADf-Dla4__tgmKJdIIU3_XYnn9bLYNd7GiQH7PbjWxFyE1l3EnDWdQ9VXu | Facebook Facebook 이메일 또는 휴대폰 비밀번호 계정을 잊으셨나요? 새 계정 만들기 일시적으로 차단됨 일시적으로 차단됨 회원님의 이 기능 사용 속도가 너무 빠른 것 같습니다. 이 기능 사용에서 일시적으로 차단되었습니다. Back 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026 | 2026-01-13T09:29:34 |
https://cloudflare.com/es-la/ai-solution/ | Soluciones de inteligencia artificial (IA) | Cloudflare Me interesa Idiomas English English (United Kingdom) Deutsch Español (Latinoamérica) Español (España) Français Italiano 日本語 한국어 Polski Português (Brasil) Русский 繁體中文 简体中文 Plataforma Conectividad cloud La conectividad cloud de Cloudflare ofrece más de 60 servicios de red, seguridad y rendimiento. Enterprise Para organizaciones grandes y medianas Pequeña empresa Para organizaciones pequeñas Socio Ser socio de Cloudflare Casos de uso Moderniza tus aplicaciones Acelera el rendimiento Protege la disponibilidad de tus aplicaciones Optimiza tu experiencia en la web Moderniza tu seguridad Reemplaza tu VPN Protégete contra el phishing Protege tu aplicaciones web y tus API Moderniza tus redes Red de cafeterías Moderniza tu WAN Simplifica tu red corporativa Temas de CXO Adopta la IA Incorpora IA a los equipos de trabajo y a las experiencias digitales Seguridad de IA Protege las aplicaciones de IA generativa y agéntica Cumplimiento de los datos Optimiza el cumplimiento normativo y minimiza el riesgo Criptografía poscuántica Protege los datos y cumple con los estándares de cumplimiento normativo Industrias Atención médica Banca Minoristas Videojuegos Sector público Recursos Guías de producto Arquitecturas de referencia Informes de analistas Eventos Eventos Demostraciones Seminarios web Talleres Solicitar una demo Productos Productos Seguridad del espacio de trabajo Acceso a la red Zero Trust Puerta de enlace web segura Seguridad del correo electrónico Agente de seguridad de acceso a la nube Seguridad para aplicaciones Protección DDoS a la capa 7 Firewall de aplicaciones web Seguridad de la API Gestión de bots Rendimiento de aplicaciones CDN DNS Enrutamiento inteligente Load balancing Redes y SASE Protección DDoS a las capas 3 - 4 NaaS/SD- WAN Firewall como servicio Interconexión de red Planes y precios Planes Enterprise Planes para pequeñas empresas Planes individuales Compara planes Servicios globales Paquetes de soporte para un rendimiento exitoso Experiencia optimizada de Cloudflare Servicios profesionales Implementación guiada por expertos Gestión de cuentas técnicas Gestión técnica enfocada Servicio de operaciones de seguridad Supervisión y respuesta de Cloudflare Registro de dominios Compra y gestiona dominios 1.1.1.1 Resolución de DNS gratuita Recursos Guías de producto Arquitecturas de referencia Informes de analistas Demos de productos y recorridos Ayúdame a elegir Desarrolladores Documentación Biblioteca para desarrolladores Documentación y guías Demos de aplicaciones Explora lo que puedes crear Tutoriales Tutoriales de creación paso a paso Arquitectura de referencia Diagramas y patrones de diseño Productos Inteligencia artificial AI Gateway Observa y controla las aplicaciones de IA Workers AI Ejecuta modelos de aprendizaje automático en nuestra red Proceso Observability Registros, métricas y seguimientos Workers Crea e implementa aplicaciones sin servidor Multimedia Images Transforma y optimiza imágenes Realtime Crea aplicaciones de audio y video en tiempo real Almacenamiento y base de datos D1 Desarrolla bases de datos SQL sin servidor R2 Almacena datos sin costosas tarifas de salida Planes y precios Workers Crea e implementa aplicaciones sin servidor Workers KV Almacén de clave-valor sin servidor para aplicaciones R2 Almacena datos sin costosas tarifas de salida Descubre proyectos Historias de nuestros clientes Demo de IA en 30 segundos Guía rápida para empezar Descubre Workers Playground Crea, prueba e implementa Discord para desarrolladores Únete a la comunidad Comienza a crear Socios Red de socios Crece, innova y satisface las necesidades de los clientes con Cloudflare Portal de socios Encuentra recursos y registra acuerdos Tipos de asociación Programa PowerUP Impulsa el crecimiento de tu negocio mientras garantizas la conexión y la seguridad de tus usuarios Socios de tecnología Explora nuestro ecosistema de asociaciones e integraciones tecnológicas Integradores de sistemas globales Apoyar la transformación digital eficiente a gran escala Proveedores de servicios Descubre nuestra red de valiosos proveedores de servicios Programa de agencias de autoservicio Gestiona las cuentas de autoservicio de tus clientes Portal punto a punto Información sobre el tráfico de tu red Encuentra un socio Impulsa tu negocio - conéctate con los socios de Cloudflare Powered+. Recursos Eventos Demos y recorridos por los productos Demostraciones de productos a pedido Casos prácticos Cloudflare, la clave del éxito Seminarios web Debates interesantes Talleres Foros virtuales Biblioteca Guías útiles, planes de desarrollo y mucho más Informes Información sobre investigaciones de Cloudflare Blog Análisis técnicos y novedades de productos Centro de aprendizaje Herramientas educativas y contenido práctico Desarrollar Arquitectura de referencia Guías técnicas Guías de soluciones y productos Documentación del producto Documentación Documentación para desarrolladores Explorar theNET Información estratégica para empresas digitales Cloudflare TV Series y eventos innovadores Cloudforce One Investigaciones y operaciones sobre amenazas Radar Tendencias del tráfico y la seguridad en Internet Informes de analistas Informes de investigación del sector Eventos Próximos eventos regionales Confianza, privacidad y cumplimiento normativo Información y políticas de cumplimiento normativo Soporte Te ayudamos Foro de la comunidad ¿Has perdido el acceso a tu cuenta? Discord para desarrolladores Te ayudamos Empresa información de la empresa Liderazgo Conoce a nuestros líderes Relaciones con inversores Información para inversores Prensa Consulta noticias recientes Empleo Explora las posiciones disponibles confianza, privacidad y seguridad Privacidad Política, datos y protección Confianza Política, proceso y seguridad Cumplimiento normativo Certificación y regulación Transparencia Política y divulgaciones INTERÉS PÚBLICO Asistencia humanitaria Proyecto Galileo Sector público Proyecto Athenian Elecciones Cloudflare para campañas Salud Project Fair Shot Red global Ubicaciones globales y estado Iniciar sesión Contacta con Ventas Acelera tu transformación con IA Tienes tu visión de IA. La plataforma unificada de Cloudflare en seguridad, conectividad y herramientas para desarrolladores te permite concretar tu visión con agilidad y seguridad. Solicita una consulta Problema La complejidad limita el potencial de la IA Las organizaciones tienen objetivos ambiciosos con respecto a la IA. Sin embargo, muchos proyectos enfrentan obstáculos como desarrollo lento, problemas de escalabilidad y riesgos emergentes. Desacelera el desarrollo de la IA La complejidad de los entornos técnicos y la evolución acelerada del ecosistema digital frenan el avance de la innovación en IA. Dificultad para escalar la IA El crecimiento de la IA se ve limitado por las audiencias globales, los aumentos repentinos en la demanda y costos informáticos poco flexibles. Riesgo creciente de la IA Una visibilidad insuficiente, el manejo complejo de riesgos y una gestión de datos poco efectiva limitan el verdadero potencial de la IA, incluso en el desarrollo de código automatizado. SOLUCIÓN Cloudflare es tu único punto de control de IA La conectividad cloud de Cloudflare brinda a las empresas una plataforma global unificada para desarrollar, conectar y escalar sus aplicaciones de IA y protegerlas en cada etapa de su desarrollo. Desarrollo de IA IA segura Necesidades clave de la IA Crea una estrategia de IA o quédate atrás Los progresos y los nuevos casos de uso que ha ofrecido la IA durante el último año muestran su enorme potencial para transformar cómo trabajamos y cómo consumimos la información. Hay una gran presión para ofrecer una estrategia de IA que incluya cómo tu empresa puede consumir IA, cómo puedes proteger tu propiedad intelectual y cómo puedes integrar componentes de IA en tus aplicaciones internas y externas. Innovación más rápida Desarrolla aplicaciones de IA de manera más rápida, económica y flexible, independientemente del modelo que utilices. Escala global Ofrece experiencias ágiles y confiables en arquitecturas de IA avanzadas y audiencias globales. Seguridad integrada Comprende y gestiona los riesgos de la IA de forma clara y eficiente, sin paneles complejos ni políticas que cambian constantemente. Ebook: Guía para que las empresas protejan y escalen sus soluciones de IA Descubre por qué muchas organizaciones enfrentan dificultades para desarrollar y proteger infraestructura de IA escalable, por qué las soluciones de los hiperescaladores no siempre cumplen con las expectativas, y qué estrategias pueden ayudarte a superar estos desafíos. Leer libro electrónico Los líderes mundiales, incluido el 30 % de las empresas de la lista Fortune 1000, confían en Cloudflare ¿Deseas hablar con uno de nuestros expertos? Solicita una consulta CÓMO FUNCIONA Una solución integral que combina seguridad en IA, conectividad y servicios para desarrolladores La IA de Cloudflare funciona en cualquier punto de nuestra red global de 330+ ciudades, y ya impulsa el 80 % de las 50 principales empresas de IA generativa. Construye Desarrolla aplicaciones de IA full stack con acceso a más de 50 modelos distribuidos en nuestra red global. Implementa agentes de IA sin cargos por espera ni demoras innecesarias. Más información Conectar Supervisa tus aplicaciones de IA, optimiza los costos de procesamiento y dirige el tráfico de manera dinámica. Desarrolla servidores MCP que se ejecuten en nuestra red global Más información Proteger Mejora la visibilidad, reduce riesgos y protege tus datos en cada etapa del ciclo de desarrollo de la IA.Controla cómo los rastreadores de IA acceden a tu contenido web. Más información Cloudflare colabora con Indeed para identificar y controlar el uso de Shadow AI Indeed, uno de los principales portales de empleo, buscaba comprender mejor y gestionar con mayor eficacia el uso de aplicaciones de IA dentro de su equipo. Optaron por la suite de seguridad de IA de Cloudflare, diseñada para identificar patrones de uso de IA y garantizar el cumplimiento de las políticas de manejo de datos. Actualmente, Indeed avanza hacia un equilibrio óptimo entre la innovación y el control. "Cloudflare nos ayuda a detectar los riesgos de shadow AI y a bloquear aplicaciones y bots de chat de IA no autorizados". PRIMEROS PASOS Planes gratuitos Planes para pequeñas empresas Para empresas Sugerencias Solicitar demostración Contacta con Ventas SOLUCIONES Conectividad cloud Servicios de aplicación SASE y seguridad del espacio de trabajo Servicios de red Plataforma para desarrolladores SOPORTE Centro de ayuda Atención al cliente Foro de la comunidad Discord para desarrolladores ¿Has perdido el acceso a tu cuenta? Estado de Cloudflare CUMPLIMIENTO NORMATIVO Recursos de conformidad Confianza GDPR IA responsable Informe de transparencia Notificar abuso INTERÉS PÚBLICO Proyecto Galileo Proyecto Athenian Cloudflare para campañas Proyecto Fairshot EMPRESA Acerca de Cloudflare Mapa de red Nuestro equipo Logotipos y dossier de prensa Diversidad, equidad e inclusión Impact/ESG © 2026 Cloudflare, Inc. Política de privacidad Términos de uso Informar sobre problemas de seguridad Confianza y seguridad Preferencias de cookies Marca comercial | 2026-01-13T09:29:34 |
https://ja-jp.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT3MxmFOjrt9aYBchLGSKdPWPfqoZ8uVG0I8P68QD7mSg88iRNJ5L0erzaBuBAleA5IMC20JuDj-z-Oqq62-c2azKmDlWxvSkmqhyahLZ8nKqNZvqThtJ2lJViTfMFkgbIO1AoRKvSc2r498 | Facebook Facebook メールアドレスまたは電話番号 パスワード アカウントを忘れた場合 新しいアカウントを作成 機能の一時停止 機能の一時停止 この機能の使用ペースが早過ぎるため、機能の使用が一時的にブロックされました。 Back 日本語 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) Português (Brasil) Français (France) Deutsch アカウント登録 ログイン Messenger Facebook Lite 動画 Meta Pay Metaストア Meta Quest Ray-Ban Meta Meta AI Meta AIのコンテンツをもっと見る Instagram Threads 投票情報センター プライバシーポリシー プライバシーセンター Facebookについて 広告を作成 ページを作成 開発者 採用情報 Cookie AdChoices 規約 ヘルプ 連絡先のアップロードと非ユーザー 設定 アクティビティログ Meta © 2026 | 2026-01-13T09:29:34 |
https://zh-cn.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT3MxmFOjrt9aYBchLGSKdPWPfqoZ8uVG0I8P68QD7mSg88iRNJ5L0erzaBuBAleA5IMC20JuDj-z-Oqq62-c2azKmDlWxvSkmqhyahLZ8nKqNZvqThtJ2lJViTfMFkgbIO1AoRKvSc2r498 | Facebook Facebook 邮箱或手机号 密码 忘记账户了? 创建新账户 你暂时被禁止使用此功能 你暂时被禁止使用此功能 似乎你过度使用了此功能,因此暂时被阻止,不能继续使用。 Back 中文(简体) 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 日本語 Português (Brasil) Français (France) Deutsch 注册 登录 Messenger Facebook Lite 视频 Meta Pay Meta 商店 Meta Quest Ray-Ban Meta Meta AI Meta AI 更多内容 Instagram Threads 选民信息中心 隐私政策 隐私中心 关于 创建广告 创建公共主页 开发者 招聘信息 Cookie Ad Choices 条款 帮助 联系人上传和非用户 设置 动态记录 Meta © 2026 | 2026-01-13T09:29:34 |
https://www.ecns.cn/video/2026-01-02/detail-iheymvap1610658.shtml | (W.E. Talk) Experts on 2026: China's 15th Five-Year Plan significant for the World --> 中文 Home News Ecns Wire Business Travel Photo Video Voices RIGHT BG LINE Text: A A A Print Video (W.E. Talk) Experts on 2026: China's 15th Five-Year Plan significant for the World 2026-01-02 08:41:18 Ecns.cn Editor : Meng Xiangjun ECNS App Download The year 2026 marks the start of China's 15th Five-Year Plan (2026–2030) period. Looking ahead to the new year, Su Hao, founding director of Center for Strategy and Peace Studies from China Foreign Affairs University, and associate dean of the Institute of Global Governance and Development of Renmin University of China, stated in the latest W.E. Talk that as the world's second-largest economy, China's economic development boasts a solid foundation and broad room for progress, while also providing important impetus and stable support for the global economy. Benjamin Norton, founder of the Geopolitical Economy Report, U.S. foreign policy expert, also emphasized that the 15th Five-Year Plan is not only crucial for China but also of great significance to the world. China's contributions in areas such as scientific and technological innovation benefit not only its own people but also people around the globe.(Guan Na, Gan Tian, Zhao Li) More Photo Beijing-Tangshan intercity railway starts full-line operation Passenger trips of 3 major Hainan airports exceed 50 million in 2025 First 'Grassland curling' attracts 350 competitors China launches two new satellites for space target detection test People perform 'circle dance' to pray for a bountiful new year in Qingha First batch of China's emergency humanitarian aid arrives in Cambodia Central London illuminated to welcome 2026 Chinese Foreign Minister meets Cambodian Deputy PM in Yunnan Exploring vivid sports competition throughout 2025 Exploring stunning winter scenery in Altay China's first L3 self-driving car debuts in Chongqin Grand bridge ready for traffic operation in Guizhou Harbin's celebrity snowman lights up winter night Southbound Travel for Guangdong Vehicles scheme implemented for entry into urban Hong Kong China's Feng/Huang claim mixed doubles title at BWF World Tour Finals Exploring overwintering migratory birds in Poyang Lake Xi presents orders to promote two military officers to rank of genera Inner Mongolia holds winter festival Memorial held for victims of Bondi Beach shooting in Sydney New year display unveiled at Times Square Night view of the 27th Harbin Ice and Snow World resembles fairy tale China launches island-wide special customs operations in Hainan FTP Why the world comes to Yiwu Exploring Hainan Free Trade Port before island-wide special customs operations Japanese bid farewell to the last two giant pandas Hainan's tallest building reaches key construction milestone Newly released Russia-transferred Japanese Unit 731 atrocity archives reveal human experiments, biological warfare committed by Japanese Imperial Army: FM Hainan FTP ready for island-wide independent customs operation Witnesses of a painful past, still waiting for an apology Geminid meteor shower seen across China Team China Sun Yingsha, Wang Chuqin win silver at the WTT Finals Hong Kong 2025 Kum Tag Desert welcomes its first snowfall this winter China's Lin Shidong advances to quarterfinals at WTT United States Smash Main tower of 27th Harbin Ice and Snow World topped out in NE China China launches sitellites for UAE, Egypt, Nepal Photo exhibition in Kazakhstan marks 70th founding anniversary of China's Xinjiang Uygur Autonomous Region Most popular in 24h More Top news (W.E. Talk) Experts on 2026: China's 15th Five-Year Plan significant for the World (W.E. Talk) Looking ahead to 2026: As geopolitical conflict risks intensify, all parties seek opportunities amid crisis through strategic moves (W.E. Talk) Experts look to 2026: Seizing opportunities amid crises, forging ahead after breakthroughs South Korea's presidential office moves back to Cheong Wa Dae The Dunhuang Flying Dancers in the 1,360°C kiln fire More Video (W.E. Talk) Experts on 2026: China's 15th Five-Year Plan significant for the World (W.E. Talk) Experts look to 2026: Seizing opportunities amid crises, forging ahead after breakthroughs LINE Media partners: People's Daily | Xinhua | CGTN | China Daily Back to top About Us | Jobs | Contact Us | Privacy Policy Copyright ©1999-2026 Chinanews.com. All rights reserved. Reproduction in whole or in part without permission is prohibited. [ 网上传播视听节目许可证(0106168) ] [ 京ICP证040655号 ] [ 京公网安备 11010202009201号 ] [ 京ICP备05004340号-1 ] --> --> | 2026-01-13T09:29:34 |
https://fr-fr.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.threads.com%252F%26amp%253Bh%3DAT3MxmFOjrt9aYBchLGSKdPWPfqoZ8uVG0I8P68QD7mSg88iRNJ5L0erzaBuBAleA5IMC20JuDj-z-Oqq62-c2azKmDlWxvSkmqhyahLZ8nKqNZvqThtJ2lJViTfMFkgbIO1AoRKvSc2r498 | Facebook Facebook Adresse e-mail ou téléphone Mot de passe Informations de compte oubliées ? Créer un compte Cette fonction est temporairement bloquée Cette fonction est temporairement bloquée Il semble que vous ayez abusé de cette fonctionnalité en l’utilisant trop vite. Vous n’êtes plus autorisé à l’utiliser. Back Français (France) 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Deutsch S’inscrire Se connecter Messenger Facebook Lite Vidéo Meta Pay Boutique Meta Meta Quest Ray-Ban Meta Meta AI Plus de contenu Meta AI Instagram Threads Centre d’information sur les élections Politique de confidentialité Centre de confidentialité À propos Créer une publicité Créer une Page Développeurs Emplois Cookies Choisir sa publicité Conditions générales Aide Importation des contacts et non-utilisateurs Paramètres Historique d’activité Meta © 2026 | 2026-01-13T09:29:34 |
https://chromewebstore.google.com/detail/category/top-charts/detail/askbelynda-sustainable-sh/category/extensions/productivity/detail/askbelynda-sustainable-sh/pcmbjnfbjkeieekkahdfgchcbjfhhgdi | Chrome Web Store Skip to main content Chrome Web Store My extensions & themes Developer Dashboard Give feedback Sign in Discover Extensions Themes Welcome to Chrome Web Store Welcome to the Chrome Web Store Supercharge your browser with extensions and themes for Chrome See collection Favorites of 2025 Discover the standout AI extensions that made our year See collection Every day is Earth Day Plant trees, shop sustainably, and more See collection Adobe Photoshop Easily remove backgrounds, adjust colors and more. Plus, get 6 months free access to Photoshop web. 3.7 600K Users See details The future of writing Elevate your writing and create engaging and high-quality content effortlessly See collection 1 / 5 Top categories Shopping Entertainment Tools Art & Design Accessibility Top charts Trending Kami for Google Chrome™ Education 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. BetterCampus (prev. BetterCanvas) Education 4.9 Average rating 4.9 out of 5 stars. Learn more about results and reviews. Read&Write for Google Chrome™ Accessibility 3.4 Average rating 3.4 out of 5 stars. Learn more about results and reviews. See more Popular Volume Master Accessibility 4.8 Average rating 4.8 out of 5 stars. Learn more about results and reviews. Free VPN for Chrome - VPN Proxy VeePN Workflow & Planning 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. AdBlock — block ads across the web Workflow & Planning 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. See more New and notable Ad Block Wonder Privacy & Security 4.3 Average rating 4.3 out of 5 stars. Learn more about results and reviews. Smart popup blocker Tools 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Manus AI Browser Operator Tools 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. See more Editors' Picks for you Handpicked by Chrome Editors See collection Extend your browser See more Discover a new level of convenience and customization with side panel extensions Chat with all AI models (Gemini, Claude, DeepSeek…) & AI Agents | AITOPIA 4.9 Average rating 4.9 out of 5 stars. Learn more about results and reviews. AI Agent Marketplace & AI Sidebar with all AI models (Gemini, Claude, DeepSeek & more) and hundreds of AI Agents Adobe Photoshop 3.7 Average rating 3.7 out of 5 stars. Learn more about results and reviews. Easily remove backgrounds, adjust colors and more. Plus, get 6 months free access to Photoshop web. BrowserGPT: ChatGPT Anywhere Powered by GPT 4 4.4 Average rating 4.4 out of 5 stars. Learn more about results and reviews. Write, reword, and translate 8x faster. Reply to emails in a click. Works on Google Docs, Gmail, YouTube, Twitter, Instagram, etc. Sidebar: ChatGPT, Bookmarks, GPT-4o | Meomni 4.8 Average rating 4.8 out of 5 stars. Learn more about results and reviews. Ultimate Sidebar ChatGPT Assistant, Bookmarks with AI, Calendar and Tasks Fleeting Notes 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Quick notes from the browser to Obsidian Eclipse your screen Dim the lights with our dark mode selections See collection Chrome monthly spotlight Promising extensions to try out Web Highlights: PDF & Web Highlighter + Notes & AI Summary Productivity Highlighter & Annotation Tool for Websites & PDFs with AI Summary - free, easy to use, no sign-up required. Moonlight: AI Colleague for Research Papers Everything you need to read a paper: explanation, summary, translation, chat, and reference search. Reboost - Track Water Intake and Set Reminders Track your water intake and set custom reminders. Stay hydrated, stay on track, and never miss a break! ✨ YouTube Notes to Notion with Udemy, Coursera, BiliBili and more by Snipo Take YouTube notes directly to Notion, generate AI flashcards, capture screenshots, and sync learning courses with Notion Works with Gmail See more Boost your email productivity Boomerang for Gmail 4.2 Average rating 4.2 out of 5 stars. Learn more about results and reviews. Meeting scheduling and email management tool trusted by millions. Schedule meetings, track responses, send later, and more. Checker Plus for Gmail™ 4.7 Average rating 4.7 out of 5 stars. Learn more about results and reviews. Get notifications, read, listen to or delete emails without opening Gmail and easily manage multiple accounts. Email Tracker by Mailtrack® 4.4 Average rating 4.4 out of 5 stars. Learn more about results and reviews. Free, unlimited email tracker for Gmail, trusted by millions. Accurate, reliable, GDPR-compliant, and Google-audited. Streak CRM for Gmail 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. Manage sales and customer relationships directly inside Gmail. GMass: Powerful mail merge for Gmail 4.8 Average rating 4.8 out of 5 stars. Learn more about results and reviews. A powerful mass email and mail merge system for Gmail. Just for fun Bring some joy to your browser See collection Learn a new language See more Study while you browse Google Translate 4.2 Average rating 4.2 out of 5 stars. Learn more about results and reviews. View translations easily as you browse the web. By the Google Translate team. Rememberry - Translate and Memorize with Flashcards 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Translate words while browsing and turn them into spaced repetition flashcards to build foreign language vocabulary. DeepL: translate and write with AI 4.7 Average rating 4.7 out of 5 stars. Learn more about results and reviews. Translate while you read and write with DeepL Translate, the world’s most accurate translator. Relingo - Master vocabulary while browsing websites and watching YouTube 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Relingo extract words, full-text immersive translation while browsing. Also supports bilingual subtitles for Youtube, Netflix, etc. Readlang Web Reader 4.3 Average rating 4.3 out of 5 stars. Learn more about results and reviews. Read websites in the language you're learning, translate words you don't know, and we'll create flashcards to help you remember. Game on See more Beat boredom with bite-sized games in your browser BattleTabs 4.7 Average rating 4.7 out of 5 stars. Learn more about results and reviews. Multiplayer Battles in your New Tab Tiny Tycoon 4.7 Average rating 4.7 out of 5 stars. Learn more about results and reviews. Build a tiny tycoon on a tiny planet. Boxel 3D 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Boxel 3D is a speedrunning game packed with challenging levels, custom skins, online multiplayer, and a creative level editor. Ice Dodo 4.6 Average rating 4.6 out of 5 stars. Learn more about results and reviews. Play 3D game easily by clicking the little icon at the top right corner of your browser. Boxel Golf 4.7 Average rating 4.7 out of 5 stars. Learn more about results and reviews. Boxel Golf is a multiplayer golf game packed with challenging courses, custom hats, and a powerful level builder. Work smarter, not harder with AI Automate tasks and stay focused and organized with AI-powered productivity extensions See collection For music lovers See more Equalizers, radios, playlists, and more Volume Master 4.8 Average rating 4.8 out of 5 stars. Learn more about results and reviews. Up to 600% volume boost Music Mode for YouTube™ 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. Hides the video and thumbnails on YouTube. Blocks the video keeping only the audio on YouTube Music. Smart Mute 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. Listen to audio one tab at a time. Modest Guitar | Columns for Ultimate-Guitar 4.8 Average rating 4.8 out of 5 stars. Learn more about results and reviews. Multiple columns and fullscreen for Ultimate-Guitar tabs Chrome Piano 4.5 Average rating 4.5 out of 5 stars. Learn more about results and reviews. Play the piano in your browser Google apps About Chrome Web Store Developer Dashboard Privacy Policy Terms of Service Help | 2026-01-13T09:29:34 |
https://reports.jenkins.io/jelly-taglib-ref.html#hudson.3AartifactList | Jelly Taglib references – Jenkins Jenkins Taglib Documentation Last Published: 2025-12-08 | Version: 2.528.3 | Homepage / Jelly Taglib references The following Jelly tag libraries are defined in this project. Namespace URI Description /lib/form /lib/form /lib/hudson /lib/hudson /lib/test /lib/test /lib/hudson/project Tag files used in project pages /lib/layout/dropdowns Tag library that defines components for dropdowns /lib/layout/header Tag library that defines components for headers /lib/layout Tag library that defines the basic layouts of Jenkins pages. /lib/hudson/newFromList These tags provide a higher level primitive for building a form page for creating a new item from a list of descriptors.Used in "create new job" page, for an example. /lib/form /lib/form This tag library is also available as an XML Schema Tag Name Description advanced Expandable section that shows "advanced..." button by default. Upon clicking it, a section unfolds, and the HTML rendered by the body of this tag appears. apply "Apply" button that submits the form but without a page transition. See hudson.util.FormApply for the server-side code. When this button is pressed, the FORM element fires the "jenkins:apply" event that allows interested parties to write back whatever states back into the INPUT elements. block Full-width space in the form table that can be filled with arbitrary HTML. booleanRadio Binds a boolean field to two radio buttons that say Yes/No OK/Cancel Top/Bottom. bottomButtonBar Creates a button bar at the bottom of the page for things like "Submit". The actual buttons should be specified as the body of this tag. This area will always be visible at the bottom of the screen. breadcrumb-config-outline Adds one more in-page breadcrumb that jumps to sections in the page. Put this tag right before <l:main-panel> checkbox <input type="checkbox"> tag that takes true/false for @checked, which is more Jelly friendly. class-entry Invisible <f:entry> type for embedding a descriptor's $class field. Most of the time a Descriptor has an unique class name that we can use to instantiate the right Describable class, so we use the '$class' to represent that to clarify the intent. In some other times, such as templates, there are multiple Descriptors with the same Descriptor.clazz but different IDs, and in that case we put 'kind' to indicate that. In this case, to avoid confusing readers we do not put non-unique '$class'. See Descriptor.newInstancesFromHeteroList for how the reader side is handled. combobox Editable drop-down combo box that supports the data binding and AJAX updates. Your descriptor should have the 'doFillXyzItems' method, which returns a ComboBoxModel representation of the items in your combo box, and your instance field should hold the current value. For a read only input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support description Renders a row that shows description text below an input field. descriptorList Generate config pages from a list of Descriptors into a section. descriptorRadioList Generate config pages from a list of Descriptors into a section. dropdownDescriptorSelector Renders a single <select> control for choosing a Describable. Depending on the currently selected value, its config.jelly will be rendered below <select>, allowing the user to configure Describable. dropdownList Foldable block expanded when the corresponding item is selected in the drop-down list. dropdownListBlock Foldable block expanded when the corresponding item is selected in the drop-down list. editableComboBox Editable drop-down combo box. Deprecated as of 1.356. Use f:combobox and databinding instead. editableComboBoxValue Used inside <f:editableComboBox/> to specify one value of a combobox. Normally one would use multiple values. entry An entry of the <f:form>, which is one logical row (that consists of several <TR> tags. One entry normally host one control. enum Binds an enum field to a <select> element. The body of this tag is evaluated for each enum value, which is passed as 'it'. enumSet Binds a set of Enum to a list of checkboxes, each with the label taken from enum Enum.toString() Should be used inside an <f:entry field='...'> element. expandableTextbox A single-line textbox that can be expanded into a multi-line textarea. This control is useful for a field that expects multiple whitespace-separated tokens (such as URLs, glob patterns, etc.) When the user only enters a few tokens, they can keep it as a single line to save space, but to enter a large number of values, this can be turned into textarea for better visibility. If the initial value is already multi-line text, the control starts with textarea. On the server side, your program is responsible for treating ' ', \t, \r, and \n for separators. (StringTokenizer would do this.) file Generates an input field All unknown attributes are passed through to the field. @since 2.385 form Outer-most tag of the entire form taglib, that generates <form> element. helpArea Place holder to lazy-load help text via AJAX. helpLink Outputs a help link for a <f:form> item if help is available or a spacer if none is available. The help link is rendered as a table cell with an (?) icon. If the user clicks it, the content of the HTML fragment at the given URL is rendered in the area designated as <f:helpArea> by the caller, usually in a row beneath the item with help. The alternative spacer is just an empty table cell. This tag was introduced to ensure that the space reserved for help items is consistent over the UI whether or not help exists. @since 1.576 hetero-list Outer most tag for creating a heterogeneous list, where the user can choose arbitrary number of arbitrary items from the given list of descriptors, and configure them independently. The submission can be data-bound into List<T> where T is the common base type for the describable instances. For databinding use, please use <f:repeatableHeteroProperty /> hetero-radio Sibling of hetero-list, which only allows the user to pick one type from the list of descriptors and configure it. invisibleEntry Invisible <f:entry> type. Useful for adding hidden field values. link Generates an anchor element with the ability to send POST requests. @since 1.584 nested number Generates an input field to be used inside <f:entry/> option <option> tag for the <select> element that takes true/false for selected. optionalBlock Foldable block that can be expanded to show more controls by checking the checkbox. optionalProperty Renders inline an optional single-value nested data-bound property of the current instance, by using a <f:optionalBlock> This is useful when your object composes another data-bound object, and when that's optional, where the absence of the value is signified as null (in which case the optionalBlock will be drawn unchecked), and the presence of the value. password Glorified <input type="password"> possibleReadOnlyField prepareDatabinding Modifies the 'attrs.field' of the parent to inherit @field from the enclosing <f:entry> if available. Also computes the @checkUrl attribute. property Renders inline a single-value nested data-bound property of the current instance. This is useful when your object composes another data-bound object as a nested object, yet your UI would still like to render it radio <input type="radio"> tag that takes true/false for @checked, which is more Jelly friendly. Note that Safari doesn't support onchange. Beware that the name attribute should be uniquified among all radio blocks on the page, such as by prefixing it with "G0025." or whatever gensym. For a read only radio input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support radioBlock Radio button with a label that hides additional controls. When checked, those additional controls are displayed. This is useful for presenting mutually exclusive options, where each option comes with a sub-form that provides additional configuration. readOnlyTextbox Generates an input field to be used inside <f:entry/> repeatable Repeatable blocks used to present UI where the user can configure multiple entries of the same kind (see the Java installations configuration in the system config.) This tag works like <j:forEach> and repeatedly evaluate the body so that initially all the items get their own copy. This tag also evaluate the body once more with var=null to create a 'master copy', which is the template entry used when a new copy is inserted. HTML structure This tag mainly produces the nested DIVs with CSS classes as follows: <div class="repeated-container"> // container for the whole thing <div class="repeated-chunk"> ... copy 1 ... <div class="repeated-chunk"> ... copy 2 ... ... The 'repeated-chunk' DIVs will also have additional CSS classes that represent their positions among siblings: first : first chunk among the siblings last : last chunk among the siblings middle: neither first nor last only : it is the only chunk (automatically get first and last at the same time) Usage Note The caller of this tag should define a button to add a new copy and delete the current copy. Such buttons should have 'repeatable-add' CSS class and 'repeatable-delete' CSS class respectively (it can have other CSS classes), so that their event handlers get properly wired up. The positional CSS classes on 'repeated-chunk' DIVs (as explained above) can be used to control the visibility of such buttons. For example, this allows you to hide 'delete' button if there's only one item, or only show 'add' button on the last row. There are a few CSS classes already defined in style.css for this purpose. repeatableDeleteButton Delete button for the <repeatable> tag. repeatableHeteroProperty Data-bound only version of <f:hetero-list> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. repeatableProperty Data-bound only version of <f:repeatable> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. Unless that nested config.jelly already adds a delete button (deprecated), you should normally put the following inside this tag: <f:block> <div align="right"> <f:repeatableDeleteButton /> </div> </f:block> Due to a bug in Stapler data binding the model elements are only set if they consist of one or more values. If all values have been removed in the user interface (i.e. the associated form is empty), then the setter is not invoked anymore. As a workaround, you need to override the corresponding configure method and clear the model property manually before invoking the data binding. See warnings-ng-plugin PR#266. rowSet Adds @nameRef to all table rows inside this tag, so that when the form is submitted, it gets grouped in one JSON object. saveApplyBar Creates the bottom bar for the "Save" and "Apply" buttons. In read only mode (<j:set var="readOnlyMode" value="true"/>) the buttons are not displayed. secretTextarea Enhanced version of <f:textarea/> for editing multi-line secrets. Example usage: <j:jelly xmlns:j="jelly:core" xmlns:f="/lib/form"> <f:entry title="Secret" field="secret"> <f:secretTextarea/> </f:entry> <f:entry title="Secret 2"> <f:secretTextarea field="secret2"/> </f:entry> <f:entry title="Another Secret"> <f:secretTextarea name="foo" value="${it.foo}"/> </f:entry> </j:jelly> section Section header in the form table. select Glorified <select> control that supports the data binding and AJAX updates. Your descriptor should have the 'doFillXyzItems' method, which returns a ListBoxModel representation of the items in your drop-down list box, and your instance field should hold the current value. slave-mode A listbox for choosing the agent's usage. submit Submit button. This should be always used instead of the plain <button> tag. textarea <textarea> tag on steroids. The textarea will be rendered to fit the content. It also gets the resize handle. textbox Generates an input field to be used inside <f:entry/> For a read only input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support toggleSwitch <input type="checkbox"> tag that takes true/false for @checked, which is more Jelly friendly. validateButton See https://www.jenkins.io/doc/developer/forms/jelly-form-controls/ for the reference. withCustomDescriptorByName Execute the body with a temporary currentDescriptorByNameUrl value advanced Expandable section that shows "advanced..." button by default. Upon clicking it, a section unfolds, and the HTML rendered by the body of this tag appears. Attribute Name Type Description title - Caption of the button. By default "Advanced" apply "Apply" button that submits the form but without a page transition. See hudson.util.FormApply for the server-side code. When this button is pressed, the FORM element fires the "jenkins:apply" event that allows interested parties to write back whatever states back into the INPUT elements. Attribute Name Type Description value - The text of the apply button. This tag does not accept any child elements/text. block Full-width space in the form table that can be filled with arbitrary HTML. booleanRadio Binds a boolean field to two radio buttons that say Yes/No OK/Cancel Top/Bottom. Attribute Name Type Description false - Text to be displayed for the 'false' value. Defaults to 'No'. field - Databinding field. true - Text to be displayed for the 'true' value. Defaults to 'Yes'. This tag does not accept any child elements/text. bottomButtonBar Creates a button bar at the bottom of the page for things like "Submit". The actual buttons should be specified as the body of this tag. This area will always be visible at the bottom of the screen. breadcrumb-config-outline Adds one more in-page breadcrumb that jumps to sections in the page. Put this tag right before <l:main-panel> Attribute Name Type Description title - Optional title for this breadcrumb This tag does not accept any child elements/text. checkbox <input type="checkbox"> tag that takes true/false for @checked, which is more Jelly friendly. Attribute Name Type Description checked - class - default - The default value of the checkbox, in case both @checked and @instance are null. If this attribute is unspecified or null, it defaults to unchecked, otherwise checked. description - Optional description for the checkbox field - Used for databinding. TBD. id - json - Normally, the submitted JSON will be boolean indicating whether the checkbox was checked or not. This is sometimes inconvenient if you have a UI that lets user select a subset of a set. If this attribute is present, the submitted JSON will have this as a string value if the checkbox is checked, and none otherwise, making the subset selection easier. name - negative - onclick (deprecated) - Inline JavaScript to execute when the checkbox is clicked. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'class' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. readonly (deprecated) - If set to true, this will take precedence over the onclick attribute and prevent the state of the checkbox from being changed. Note: if you want an actual read only checkbox then add: <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support title - If specified, this human readable text will follow the checkbox, and clicking this text also toggles the checkbox. tooltip - Used as tooltip of the checkbox, and, if a title is specified, of the title value - This tag does not accept any child elements/text. class-entry Invisible <f:entry> type for embedding a descriptor's $class field. Most of the time a Descriptor has an unique class name that we can use to instantiate the right Describable class, so we use the '$class' to represent that to clarify the intent. In some other times, such as templates, there are multiple Descriptors with the same Descriptor.clazz but different IDs, and in that case we put 'kind' to indicate that. In this case, to avoid confusing readers we do not put non-unique '$class'. See Descriptor.newInstancesFromHeteroList for how the reader side is handled. Attribute Name Type Description clazz - The describable class that we are instantiating via structured form submission. descriptor - The descriptor of the describable that we are instantiating via structured form submission. Mutually exclusive with clazz. This tag does not accept any child elements/text. combobox Editable drop-down combo box that supports the data binding and AJAX updates. Your descriptor should have the 'doFillXyzItems' method, which returns a ComboBoxModel representation of the items in your combo box, and your instance field should hold the current value. For a read only input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support Attribute Name Type Description checkMethod String Specify 'get' (must be lowercase) to change the HTTP method used for the AJAX requests to @checkUrl from a POST to a GET. If any other value is specified then requests will use POST. The historical default was GET and 'post' had to be specified to change that, but this was changed in Jenkins 2.285. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS classes that the control gets. default - The default value of the combo box, in case both @value and 'instance field ' are null. field - Used for databinding. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. description Renders a row that shows description text below an input field. descriptorList Generate config pages from a list of Descriptors into a section. Attribute Name Type Description description - Optional attribute to set a description for the section descriptors (required) - hudson.model.Descriptor collection whose configuration page is rendered. field - Either @field or @instances are required (or @field may be inherited from the ancestor <entry> element). If field is specified, instances are assumed to be instance field . When this attribute is specified, JSON structure is properly set up so that the databinding can set the field (or pass this collection as a constructor parameter of the same name. This is more modern way of doing databinding, and thus preferred approach. forceRowSet - If specified, instead of a sequence of <f:optionalBlock>s, draw a sequence of <rowSet>s. icon - Sets the icon on the sidebar item for the section anchor link The icon isn't visible in the section itself instances - Map<Descriptor,Describable> that defines current instances of those descriptors. These are used to fill initial values. Other classes that define the get(Descriptor) method works fine, too, such as DescribableList. targetType - the type for which descriptors will be configured. default to ${it.class} title - Human readable title of the section to be rendered in HTML. descriptorRadioList Generate config pages from a list of Descriptors into a section. Attribute Name Type Description descriptors (required) - hudson.model.Descriptor collection whose configuration page is rendered. instance (required) - The currently configured instance used to fill the initial values of the form. targetType - the type for which descriptors will be configured. default to ${it.class} title (required) - Human readable title of the section to be rendered in HTML. varName (required) - Used as a variable name as well as block name. dropdownDescriptorSelector Renders a single <select> control for choosing a Describable. Depending on the currently selected value, its config.jelly will be rendered below <select>, allowing the user to configure Describable. Attribute Name Type Description capture - Config fragments from descriptors are rendered lazily by default, which means variables seen in the caller aren't visible to them. This attribute allows you to nominate additional variables and their values to be captured for descriptors. default - If specified, this will be chosen as the default value in case the current selection is null. The default can be a specific instance or a descriptor e.g. ${descriptor.defaultSettingsProvider} or ${descriptor.defaultSettingsProvider.descriptor}. In the later case, the from input fields will be empty. descriptors - Collection that lists up all the valid candidate descriptors. If unspecified, inferred from the type of the field. field (required) - Form field name. Used for databinding. title (required) - Human readable title of this control. dropdownList Foldable block expanded when the corresponding item is selected in the drop-down list. Attribute Name Type Description help - Path to the inline help. See <f:entry help="..." /> name (required) - name of the drop-down list. title - Human readable title text of this drop-down listbox. Shown in the same position as <f:entry title="..." /> dropdownListBlock Foldable block expanded when the corresponding item is selected in the drop-down list. Attribute Name Type Description lazy - If specified, the content of the dropdownListBlock will be rendered lazily when it first becomes visible. The attribute value must be the variables to be captured. See the @capture of <renderOnDemand> tag. selected boolean is this value initially selected? staplerClass - provide hint for stapler data binding. typically set to ${descriptor.clazz.name} if dropdownList is for a list of descriptors. title (required) - human readable text displayed for this list item. value (required) - value of the list item. set to <option value="..."> editableComboBox Editable drop-down combo box. Deprecated as of 1.356. Use f:combobox and databinding instead. Attribute Name Type Description clazz - Additional CSS classes that the control gets. field - Used for databinding. items - List of possible values. Either this or nested <f:editableComboBoxValue/>s are required. editableComboBoxValue Used inside <f:editableComboBox/> to specify one value of a combobox. Normally one would use multiple values. Attribute Name Type Description value (required) - This tag does not accept any child elements/text. entry An entry of the <f:form>, which is one logical row (that consists of several <TR> tags. One entry normally host one control. Attribute Name Type Description class - Classes to apply to the form item description - If it's not obvious to the user as to what the control expects, specify some description text (which currently gets rendered as small text under the control, but that may change.) This text shouldn't get too long, and in recent Hudson, this feature is somewhat de-emphasized, in favor of the inline foldable help page specified via @help. This content is HTML (unless the boolean variable escapeEntryTitleAndDescription is set). Use h.escape if necessary. field - Used for the databinding. TBD. When this attribute is specified, @help is inferred, and nested input controls don't need the @field nor @name. help - URL to the HTML page. When this attribute is specified, the entry gets a (?) icon on the right, and if the user clicks it, the contents of the given URL is rendered as a box below the entry. The URL should return an HTML document wrapped in a <div> tag. The URL is interpreted to be rooted at the context path of Hudson, so it's normally something like "/plugin/foobar/help/abc.html". title - Name of the entry. Think of this like a label for the control. This content is HTML (unless the boolean variable escapeEntryTitleAndDescription is set). Use h.escape if necessary. enum Binds an enum field to a <select> element. The body of this tag is evaluated for each enum value, which is passed as 'it'. Attribute Name Type Description default - The name of the enum to set as default value for the first configuration. field - Used for databinding. TBD. enumSet Binds a set of Enum to a list of checkboxes, each with the label taken from enum Enum.toString() Should be used inside an <f:entry field='...'> element. Attribute Name Type Description field - Used for databinding. This tag does not accept any child elements/text. expandableTextbox A single-line textbox that can be expanded into a multi-line textarea. This control is useful for a field that expects multiple whitespace-separated tokens (such as URLs, glob patterns, etc.) When the user only enters a few tokens, they can keep it as a single line to save space, but to enter a large number of values, this can be turned into textarea for better visibility. If the initial value is already multi-line text, the control starts with textarea. On the server side, your program is responsible for treating ' ', \t, \r, and \n for separators. (StringTokenizer would do this.) Attribute Name Type Description field - Used for databinding. TBD. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. file Generates an input field All unknown attributes are passed through to the field. @since 2.385 Attribute Name Type Description accept - Defines the file types the file input should accept. This string is a comma-separated list. clazz - Additional CSS class(es) to add. field - Used for databinding. jsonAware - Enable structured form submission. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. This tag does not accept any child elements/text. form Outer-most tag of the entire form taglib, that generates <form> element. Attribute Name Type Description action (required) - @action of the form field. The URL where the submission is sent. autocomplete - Optional attribute for allowing browsers to perform auto complete or pre-fill the form from history. Default: false class - Classes to apply to the form enctype - @enctype of the <form> HTML element. id - ID of the form. method (required) - Submission method. Either post or get. name (required) - @name of the form. In HTML this is not a mandatory attribute, but in Hudson you should have it for testing and page scraping, so this attribute is marked required. tableClass - Optional class attribute for <table> that is created in the form. target - @target of the <form> HTML element. Works like <a target="..."> and controls which window the result of the submission goes to. helpArea Place holder to lazy-load help text via AJAX. This tag does not accept any child elements/text. helpLink Outputs a help link for a <f:form> item if help is available or a spacer if none is available. The help link is rendered as a table cell with an (?) icon. If the user clicks it, the content of the HTML fragment at the given URL is rendered in the area designated as <f:helpArea> by the caller, usually in a row beneath the item with help. The alternative spacer is just an empty table cell. This tag was introduced to ensure that the space reserved for help items is consistent over the UI whether or not help exists. @since 1.576 Attribute Name Type Description featureName - Name of the feature described by the help text, used for constructing the icon's alt attribute. Optional. url - URL to the HTML page. Optional. If not given, no help icon is displayed. The URL should return a UTF-8 encoded HTML fragment wrapped in a <div> tag. The URL is interpreted to be rooted at the context path of Jenkins, so it's normally something like "/plugin/foobar/help/abc.html". This tag does not accept any child elements/text. hetero-list Outer most tag for creating a heterogeneous list, where the user can choose arbitrary number of arbitrary items from the given list of descriptors, and configure them independently. The submission can be data-bound into List<T> where T is the common base type for the describable instances. For databinding use, please use <f:repeatableHeteroProperty /> Attribute Name Type Description addCaption - caption of the 'add' button. capture - Config fragments from descriptors are rendered lazily by default, which means variables seen in the caller aren't visible to them. This attribute allows you to nominate additional variables and their values to be captured for descriptors. deleteCaption - caption of the 'delete' button. descriptors (required) - all types that the user can add. disableDragAndDrop java.lang.Boolean If true the drag and drop will not be activated. This just removes the drag and drop UI, it will not prevent users from manually submitting a different order. hasHeader - For each item, add a caption from descriptor.getDisplayName(). This also activates drag&drop (where the header is a grip), and help text support. honorOrder - If true, insert new addition by default to their 'desired' location, which is the order induced by the descriptors. items (required) java.util.Collection existing items to be displayed. Something iterable, such as array or collection. menuAlign - Menu alignment against the button. Defaults to tl-bl name (required) - form name that receives an array for all the items in the heterogeneous list. oneEach - If true, only allow up to one instance per descriptor. targetType - the type for which descriptors will be configured. Defaults to ${it.class} (optional) titleClassMethod - If set to an item of the form , it will be used to call to calculate each item title. hetero-radio Sibling of hetero-list, which only allows the user to pick one type from the list of descriptors and configure it. Attribute Name Type Description descriptors (required) - all types that the user can add. field (required) - Field name in the parent object where databinding happens. This tag does not accept any child elements/text. invisibleEntry Invisible <f:entry> type. Useful for adding hidden field values. link Generates an anchor element with the ability to send POST requests. @since 1.584 Attribute Name Type Description clazz - Additional CSS classes. href - Link destination URL. post - If this must send a POST request. nested number Generates an input field to be used inside <f:entry/> Attribute Name Type Description checkMessage - Override the default error message when client-side validation fails, as with clazz="required", etc. checkMethod String Specify 'get' (must be lowercase) to change the HTTP method used for the AJAX requests to @checkUrl from a POST to a GET. If any other value is specified then requests will use POST. The historical default was GET and 'post' had to be specified to change that, but this was changed in Jenkins 2.285. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS class(es) to add (such as client-side validation clazz="required", "number" or "positive-number"; these may be combined, as clazz="required number"). default - The default value of the text box, in case both @value is and 'instance field ' is null. field java.lang.String Used for databinding. TBD. max - The maximum of the @value. This becomes the @max of the <input> tag. This will work only @clazz is 'number', 'number-required', 'non-negative-number-required', 'positive-number', 'positive-number-required'. If specified, the @value should be less than this value, or errors will be rendered under the text field. If this value contains non-digit characters, it will not work. If @min is specified and @min is greater than this value, both @min and @max will not work. min - The minimum of the @value. This becomes the @min of the <input> tag. This will work only @clazz is 'number', 'number-required', 'non-negative-number-required', 'positive-number', 'positive-number-required'. If specified, the @value should be greater than this value, or errors will be rendered under the text field. If this value contains non-digit characters, it will not work. If @max is specified and @max is less than this value, both @min and @max will not work. name java.lang.String This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. option <option> tag for the <select> element that takes true/false for selected. Attribute Name Type Description selected boolean If true, the option value appears as selected. value - The value to be sent when the form is submitted. If omitted, the body of the tag will be placed in the value attribute as well (due to the browser incompatibility between IE and Firefox, value attribute must be included). optionalBlock Foldable block that can be expanded to show more controls by checking the checkbox. Attribute Name Type Description checked - initial checkbox status. true/false. field - Used for databinding. TBD. Either this or @name/@title combo is required. help - If present, the (?) icon will be rendered on the right to show inline help. See @help for <f:entry>. inline - if present, the foldable section will not be grouped into a separate JSON object upon submission name - Name of the checkbox. Can be used by the server to determine if the block is collapsed or expanded at the time of submission. Note that when the block is collapsed, none of its child controls will send the values to the server (unlike <f:advanced>) negative - if present, the foldable section expands when the checkbox is unchecked. title - Human readable text that follows the checkbox. If this field is null, the checkbox degrades to a <f:rowSet>, which provides a grouping at JSON level but on the UI there's no checkbox (and you always see the body of it.) optionalProperty Renders inline an optional single-value nested data-bound property of the current instance, by using a <f:optionalBlock> This is useful when your object composes another data-bound object, and when that's optional, where the absence of the value is signified as null (in which case the optionalBlock will be drawn unchecked), and the presence of the value. Attribute Name Type Description field (required) - help - title (required) - This tag does not accept any child elements/text. password Glorified <input type="password"> Attribute Name Type Description checkMessage - Override the default error message when client-side validation fails, as with clazz="required", etc. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS class(es) to add (such as client-side validation clazz="required", "number" or "positive-number"; these may be combined, as clazz="required number"). field - Used for databinding. TBD. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. possibleReadOnlyField prepareDatabinding Modifies the 'attrs.field' of the parent to inherit @field from the enclosing <f:entry> if available. Also computes the @checkUrl attribute. This tag does not accept any child elements/text. property Renders inline a single-value nested data-bound property of the current instance. This is useful when your object composes another data-bound object as a nested object, yet your UI would still like to render it Attribute Name Type Description field (required) - propertyDescriptor - If specified, bypass the item descriptor inference and use this instead. This tag does not accept any child elements/text. radio <input type="radio"> tag that takes true/false for @checked, which is more Jelly friendly. Note that Safari doesn't support onchange. Beware that the name attribute should be uniquified among all radio blocks on the page, such as by prefixing it with "G0025." or whatever gensym. For a read only radio input set <j:set var="readOnlyMode" value="true"/> inside your entry tag See https://www.jenkins.io/doc/developer/views/read-only/#enabling-read-only-view-support Attribute Name Type Description checked - id - name - onclick (deprecated) - Inline JavaScript to execute when the checkbox is clicked. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'class' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. title - If specified, this human readable text will follow the radio, and clicking this text also toggles the radio. value - radioBlock Radio button with a label that hides additional controls. When checked, those additional controls are displayed. This is useful for presenting mutually exclusive options, where each option comes with a sub-form that provides additional configuration. Attribute Name Type Description checked (required) boolean Should this control be initially checked or not? help - If specified, the (?) help icon will be rendered on the right, for in place help text. See <f:entry> for the details. inline - if present, the folded section will not be grouped into a separate JSON object upon submission. name (required) - Name of the radio button group. Radio buttons that are mutually exclusive need to have the same name. title (required) - Human readable label text to be rendered next to the radio button. value (required) - @value of the <input> element. readOnlyTextbox Generates an input field to be used inside <f:entry/> Attribute Name Type Description checkMessage - Override the default error message when client-side validation fails, as with clazz="required", etc. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the recommended approach. clazz - Additional CSS class(es) to add (such as client-side validation clazz="required", "number" or "positive-number"; these may be combined, as clazz="required number"). default - The default value of the text box, in case both @value is and 'instance field ' is null. field - Used for databinding. TBD. name - This becomes @name of the <input> tag. If @field is specified, this value is inferred from it. onchange (deprecated) - Inline JavaScript to execute when the textbox is changed. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'clazz' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. onkeyup (deprecated) - Inline JavaScript to execute when the keyup event is fired. Deprecated because this attribute is incompatible with adding Content-Security-Policy to the Jenkins UI in the future. Set 'id' or 'clazz' attributes as appropriate to look up this element in external Javascript files (e.g. adjuncts) to add the desired behavior there (DOMContentLoaded event in static forms, Behaviour.specify if this element may be dynamically added). See https://github.com/jenkinsci/jenkins/pull/6852 for an example. value - The initial value of the field. This becomes the @value of the <input> tag. If @field is specified, the current property from the "instance" object will be set as the initial value automatically, which is the recommended approach. This tag does not accept any child elements/text. repeatable Repeatable blocks used to present UI where the user can configure multiple entries of the same kind (see the Java installations configuration in the system config.) This tag works like <j:forEach> and repeatedly evaluate the body so that initially all the items get their own copy. This tag also evaluate the body once more with var=null to create a 'master copy', which is the template entry used when a new copy is inserted. HTML structure This tag mainly produces the nested DIVs with CSS classes as follows: <div class="repeated-container"> // container for the whole thing <div class="repeated-chunk"> ... copy 1 ... <div class="repeated-chunk"> ... copy 2 ... ... The 'repeated-chunk' DIVs will also have additional CSS classes that represent their positions among siblings: first : first chunk among the siblings last : last chunk among the siblings middle: neither first nor last only : it is the only chunk (automatically get first and last at the same time) Usage Note The caller of this tag should define a button to add a new copy and delete the current copy. Such buttons should have 'repeatable-add' CSS class and 'repeatable-delete' CSS class respectively (it can have other CSS classes), so that their event handlers get properly wired up. The positional CSS classes on 'repeated-chunk' DIVs (as explained above) can be used to control the visibility of such buttons. For example, this allows you to hide 'delete' button if there's only one item, or only show 'add' button on the last row. There are a few CSS classes already defined in style.css for this purpose. Attribute Name Type Description add - If specified, this text will replace the standard "Add" text. default - Use this collection for items if items or @field is null enableTopButton - true if a new Add button, for adding new copy of repeatable item, should be displayed above repeatable form. Display of top button depends also on number of items. If there is no item, only one button is displayed. When at least one item is present, there are two buttons displayed (only when enableTopButton is true). One above and one below. Top button adds item on top of repeatable form. Bottom button adds item on the bottom of repeatable form. field - Used for the data binding. header - For each item, add this header. This also activates drag&drop (where the header is a grip). items - The item collection to loop over. Required unless @field is given. minimum - At least provide this number of copies initially. minimum="1" is useful to make sure there's always at least one entry for the user to fill in. name - name used in the structured form submission. Defaults to the same name as @var. noAddButton - true if the default 'add' button (that adds a new copy) shouldn't be displayed. When you use this attribute, var - variable that receives the item of the current iteration. Accessible from the body. Required unless @field is given. varStatus - Status variable that indicates the loop status. repeatableDeleteButton Delete button for the <repeatable> tag. Attribute Name Type Description value - Caption of the button. Defaults to 'Delete'. This tag does not accept any child elements/text. repeatableHeteroProperty Data-bound only version of <f:hetero-list> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. Attribute Name Type Description addCaption - caption of the 'add' button. capture - Config fragments from descriptors are rendered lazily by default, which means variables seen in the caller aren't visible to them. This attribute allows you to nominate additional variables and their values to be captured for descriptors. deleteCaption - caption of the 'delete' button. field - Used for the data binding. hasHeader - For each item, add a caption from descriptor.getDisplayName(). This also activates drag&drop (where the header is a grip), and help text support. honorOrder - If true, insert new addition by default to their 'desired' location, which is the order induced by the descriptors. menuAlign - Menu alignment against the button. Defaults to tl-bl oneEach - If true, only allow up to one instance per descriptor. targetType - the type for which descriptors will be configured. Defaults to ${it.class} (optional) This tag does not accept any child elements/text. repeatableProperty Data-bound only version of <f:repeatable> that assumes the type pointed by the property is data-bound as well. The nested property type must be Describable and it needs to have config.jelly. Unless that nested config.jelly already adds a delete button (deprecated), you should normally put the following inside this tag: <f:block> <div align="right"> <f:repeatableDeleteButton /> </div> </f:block> Due to a bug in Stapler data binding the model elements are only set if they consist of one or more values. If all values have been removed in the user interface (i.e. the associated form is empty), then the setter is not invoked anymore. As a workaround, you need to override the corresponding configure method and clear the model property manually before invoking the data binding. See warnings-ng-plugin PR#266. Attribute Name Type Description add - If specified, this text will replace the standard "Add" text. default - The default value to use for this collection when 'instance field ' is null. enableTopButton - true if a new Add button, for adding new copy of repeatable item, should be displayed above repeatable form. Display of top button depends also on number of items. If there is no item, only one button is displayed. When at least one item is present, there are two buttons displayed (only when enableTopButton is true). One above and one below. Top button adds item on top of repeatable form. Bottom button adds item on the bottom of repeatable form. field - Used for the data binding. header - For each item, add this header. This also activates drag&drop (where the header is a grip). minimum - At least provide this number of copies initially. minimum="1" is useful to make sure there's always at least one entry for the user to fill in. noAddButton - true if the default 'add' button (that adds a new copy) shouldn't be displayed. When you use this attribute, rowSet Adds @nameRef to all table rows inside this tag, so that when the form is submitted, it gets grouped in one JSON object. Attribute Name Type Description name - if the group head is not available outside, use this attribute to specify the name. @name and @ref are mutually exclusive. ref - id of the thing that serves as the group head, if that's available separately saveApplyBar Creates the bottom bar for the "Save" and "Apply" buttons. In read only mode (<j:set var="readOnlyMode" value="true"/>) the buttons are not displayed. This tag does not accept any child elements/text. secretTextarea Enhanced version of <f:textarea/> for editing multi-line secrets. Example usage: <j:jelly xmlns:j="jelly:core" xmlns:f="/lib/form"> <f:entry title="Secret" field="secret"> <f:secretTextarea/> </f:entry> <f:entry title="Secret 2"> <f:secretTextarea field="secret2"/> </f:entry> <f:entry title="Another Secret"> <f:secretTextarea name="foo" value="${it.foo}"/> </f:entry> </j:jelly> Attribute Name Type Description checkMethod String Specify 'get' (must be lowercase) to change the HTTP method used for the AJAX requests to @checkUrl from a POST to a GET. If any other value is specified then requests will use POST. The historical default was GET and 'post' had to be specified to change that, but this was changed in Jenkins 2.285. checkUrl - If specified, the value entered in this input field will be checked (via AJAX) against this URL, and errors will be rendered under the text field. If @field is specified, this will be inferred automatically, which is the r | 2026-01-13T09:29:34 |
https://www.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT3MxmFOjrt9aYBchLGSKdPWPfqoZ8uVG0I8P68QD7mSg88iRNJ5L0erzaBuBAleA5IMC20JuDj-z-Oqq62-c2azKmDlWxvSkmqhyahLZ8nKqNZvqThtJ2lJViTfMFkgbIO1AoRKvSc2r498 | Facebook Facebook 이메일 또는 휴대폰 비밀번호 계정을 잊으셨나요? 새 계정 만들기 일시적으로 차단됨 일시적으로 차단됨 회원님의 이 기능 사용 속도가 너무 빠른 것 같습니다. 이 기능 사용에서 일시적으로 차단되었습니다. Back 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026 | 2026-01-13T09:29:34 |
https://www.cloudflare.com/pt-br/coffee-shop-networking/ | Rede de cafeterias com a Cloudflare | Cloudflare Inscreva-se Idiomas English English (United Kingdom) Deutsch Español (Latinoamérica) Español (España) Français Italiano 日本語 한국어 Polski Português (Brasil) Русский 繁體中文 简体中文 Plataforma Nuvem de conectividade A nuvem de conectividade da Cloudflare oferece mais de 60 serviços de rede, segurança e desempenho. Enterprise Para organizações de grande e médio porte Pequena empresa Para pequenas organizações Parceiro Torne-se um parceiro da Cloudflare! Casos de uso Modernizar aplicativos Desempenho acelerado Garantir a disponibilidade dos aplicativos Otimizar a experiência na web Modernizar a segurança Substituição da VPN Proteção contra phishing Proteger aplicativos web e APIs Modernizar as redes Rede de cafeterias Modernização de WAN Simplificação de sua rede corporativa Tópicos para CXOs Adotar IA Integrar a IA nas forças de trabalho e nas experiências digitais Segurança de IA Proteger aplicativos de IA agêntica e generativa Conformidade de dados Simplificar a conformidade e minimizar os riscos Criptografia pós-quântica Proteger dados e atender aos padrões de conformidade Setores Saúde Bancário Varejo Jogos Setor público Recursos Guias de produtos Arquiteturas de referência Relatórios de analistas Interagir Eventos Demonstrações Webinars Workshops Solicite uma demonstração Produtos Produtos Segurança do espaço de trabalho Acesso à rede Zero Trust Gateway seguro da web Email security Agente de segurança de acesso à nuvem Segurança de aplicativos Proteção contra DDoS na camada de aplicação Firewall de aplicativos web Segurança para APIs Bot Management Desempenho de aplicativos CDN DNS Roteamento inteligente Load balancing Rede e SASE Proteção contra DDoS nas camadas 3/4 NaaS / SD- WAN Firewall como serviço Network Interconnect Planos e preços Planos Enterprise Planos para pequenas empresas Planos individuais Compare planos Serviços globais Pacotes de suporte e sucesso Experiência otimizada com a Cloudflare Serviços profissionais Implementação liderada por especialistas Gerenciamento técnico de contas Gerenciamento técnico focado Serviço de operações de segurança Monitoramento e resposta da Cloudflare Registro de domínios Compre e gerencie domínios 1.1.1.1 Resolvedor de DNS gratuito Recursos Guias de produtos Arquiteturas de referência Relatórios de analistas Demonstrações de produtos e tour Me ajude a escolher Desenvolvedores Documentação Biblioteca para desenvolvedores Documentação e guias Demonstrações de aplicativos Explore o que você pode criar Tutoriais Tutoriais de criação passo a passo Arquitetura de referência Diagramas e padrões de design Produtos Inteligência artificial AI Gateway Observe e controle aplicativos de IA Workers AI Execute modelos de ML em nossa rede Computação Observability Logs, métricas e rastreamentos Workers Crie e implante aplicativos sem servidor Mídia Images Transforme e otimize imagens Realtime Crie aplicativos de áudio/vídeo em tempo real Armazenamento e banco de dados D1 Crie bancos de dados SQL sem servidor R2 Armazene dados sem taxas de saída caras Planos e preços Workers Crie e implante aplicativos sem servidor Workers KV Armazenamento de chave-valor sem servidor para aplicativos R2 Armazene dados sem taxas de saída caras Explore os projetos Histórias de clientes Demonstração de IA em 30 segundos Guia rápido para começar Explorar o Workers Playground Crie, teste e implante Discord para desenvolvedores Participe da comunidade Comece a desenvolver Parceiros Rede de parceiros Cresça, inove e atenda às necessidades do cliente com a Cloudflare Portal de parceiros Encontre recursos e registre ofertas Tipos de parceria Programa PowerUP Expanda seus negócios e mantenha seus clientes conectados e protegidos Parceiros de Tecnologia Explore nosso ecossistema de parceiros e integradores de tecnologia Integradores de sistema global Apoiar a transformação digital contínua e em grande escala Provedores de serviços Descubra nossa rede de provedores de serviços valiosos Programa de agências de autoatendimento Gerencie contas de autoatendimento para seus clientes Portal peer-to-peer Insights de tráfego para sua rede Localize um parceiro Impulsione seus negócios: conecte-se com os parceiros Cloudflare Powered+. Recursos Interagir Demonstrações e tour dos produtos Demonstrações de produtos sob demanda Estudos de caso Impulsione o sucesso com a Cloudflare Webinars Discussões esclarecedoras Workshops Fóruns virtuais Biblioteca Guias e roteiros úteis e muito mais Relatórios Insights da pesquisa da Cloudflare Blog Aprofundamentos técnicos e notícias sobre produtos Central de aprendizagem Ferramentas educacionais e conteúdo prático Criar Arquitetura de referência Guias técnicos Guias de soluções e produtos Documentação de produtos Documentação Documentação para desenvolvedores Explorar theNET Insights executivos para a empresa digital Cloudflare TV Séries e eventos inovadores Cloudforce One Pesquisa e operações de ameaças Radar Tráfego da internet e tendências de segurança Relatórios de analistas Relatórios de pesquisas do setor Eventos Próximos eventos regionais Confiança, privacidade e conformidade Informações e políticas de conformidade Suporte Fale conosco Fórum da comunidade Perdeu o acesso à conta? Discord para desenvolvedores Obter ajuda Empresa Informações da empresa Liderança Conheça nossos líderes Relações com investidores Informações para investidores Imprensa Explore as notícias recentes Carreiras Explore as funções em aberto confiança, privacidade e segurança Privacidade Política, dados e proteção Confiança Política, processo e segurança Conformidade Certificação e regulamentação Transparência Políticas e divulgações Interesse público Humanitário Projeto Galileo Governo Projeto Athenian Eleições Cloudflare para Campanhas Saúde Project Fair Shot Rede global Locais e status globais Entrar Entre em contato com vendas Implemente a rede de cafeterias com a Cloudflare Melhore a experiência do usuário e reduza a infraestrutura de rede legada Use a plataforma SASE nativa de nuvem e distribuída globalmente da Cloudflare para otimizar o acesso a aplicativos e simplificar a rede de filiais. Fale com um especialista Obtenha o resumo da solução A diferença da Cloudflare Experiência do usuário aprimorada Proporcione uma experiência de acesso de usuário simples, otimizada e segura, independentemente da localização física. Custo total de propriedade (TCO) reduzido Reduza os gastos de capital em dispositivos de hardware e conexões de rede privada. Agilidade e velocidade em escala de nuvem Provisione cobertura rapidamente em todo o mundo, sem a necessidade de construir uma infraestrutura privada. Como funciona Etapas essenciais para a rede de cafeterias Reduza os equipamentos de rede tradicionais, no local, mudando para os serviços SASE unificados e nativos de nuvem da Cloudflare: Trabalhe com segurança de qualquer lugar, seja no local ou remotamente, usando o Access para acesso à rede Zero Trust (ZTNA). Conecte suas redes usando as opções flexíveis do Magic WAN com sites de filiais e de varejo, data centers e nuvens. Proteja o tráfego e interrompa as ameaças usando nosso SWG ( Gateway ) abrangente e firewall como serviço, Magic Firewall . Monitore proativamente a experiência do usuário, identifique problemas e solucione questões de integridade de dispositivos e redes usando o Digital Experience Monitoring (DEX) . O que os clientes estão dizendo “À medida que expandimos com mais sites, a configuração de novas redes pode se tornar cara e complexa. Nossa visão é alcançar um ponto em que possamos simplesmente colocar um dispositivo em qualquer lugar do mundo e ele funcione. A Cloudflare nos permite alcançar esse nível de padronização e simplicidade." CTO, Ocado Simplifique sua rede com as soluções para rede de cafeterias da Cloudflare Leia o artigo técnico Por que usar a Cloudflare Simplifique e otimize a visibilidade e a proteção de dados para todo o tráfego A plataforma unificada de serviços de segurança e conectividade nativos de nuvem da Cloudflare é a base ideal para a proteção de dados: Arquitetura combinável Cumpra qualquer requisito de negócios com programação total de APIs e registros, roteamento, armazenamento em cache e descriptografia personalizáveis por localização. Integração Preserve as experiências do usuário com inspeção de passagem única e uma rede que está a 50 ms de 95% dos usuários da internet. Inteligência contra ameaças Bloqueie mais ameaças (conhecidas e desconhecidas) com a inteligência coletada do bloqueio de ~234 bilhões de ameaças diárias Interface unificada Reduza a proliferação de ferramentas e a fadiga de alertas com uma única IU administrativa unificada. Recursos Webinar sob demanda Construindo a base para a rede de cafeterias Aprenda a criar um projeto flexível para adotar a rede de cafeterias, utilizando os principais casos de uso de SASE como base. Assista ao webinar Visão geral do produto Magic WAN Simplifique a conectividade de rede de filiais, VPCs multinuvem ou data centers usando a plataforma Cloudflare One SASE. Saiba mais Visão geral do produto Cloudflare Access Melhore a produtividade e reduza os riscos com o acesso do usuário a apps auto-hospedados, SaaS ou não web — sem uma VPN. Saiba mais Entre em contato com vendas +1 (888) 99 FLARE Comece a usar Planos Gratuitos Planos para pequenas empresas Para empresas Obtenha uma recomendação Solicite uma demonstração Entre em contato com vendas Soluções Nuvem de conectividade Serviços de aplicativos SASE e segurança do espaço de trabalho Serviços de rede Plataforma para desenvolvedores Suporte Central de atendimento Suporte ao cliente Fórum da comunidade Discord para desenvolvedores Perdeu o acesso à conta? Status da Cloudflare Conformidade Recursos de conformidade Confiança RGPD IA responsável Relatório de transparência Notifique o abuso Empresa Sobre a Cloudflare Mapa de rede Nossa equipe Logotipos e kit para a imprensa Diversidade, equidade e inclusão Impacto/ESG Comece a usar Planos Gratuitos Planos para pequenas empresas Para empresas Obtenha uma recomendação Solicite uma demonstração Entre em contato com vendas Soluções Nuvem de conectividade Serviços de aplicativos SASE e segurança do espaço de trabalho Serviços de rede Plataforma para desenvolvedores Suporte Central de atendimento Suporte ao cliente Fórum da comunidade Discord para desenvolvedores Perdeu o acesso à conta? Status da Cloudflare Conformidade Recursos de conformidade Confiança RGPD IA responsável Relatório de transparência Notifique o abuso Empresa Sobre a Cloudflare Mapa de rede Nossa equipe Logotipos e kit para a imprensa Diversidade, equidade e inclusão Impacto/ESG © 2026 Cloudflare, Inc. Política de privacidade Termos de serviço Denuncie problemas de segurança Suas opções de privacidade Marca registrada | 2026-01-13T09:29:34 |
https://cloudflare.com/pt-br/zero-trust/solutions/multi-channel-phishing/ | Phishing multicanal | Zero Trust | Cloudflare Inscreva-se Idiomas English English (United Kingdom) Deutsch Español (Latinoamérica) Español (España) Français Italiano 日本語 한국어 Polski Português (Brasil) Русский 繁體中文 简体中文 Plataforma Nuvem de conectividade A nuvem de conectividade da Cloudflare oferece mais de 60 serviços de rede, segurança e desempenho. Enterprise Para organizações de grande e médio porte Pequena empresa Para pequenas organizações Parceiro Torne-se um parceiro da Cloudflare! Casos de uso Modernizar aplicativos Desempenho acelerado Garantir a disponibilidade dos aplicativos Otimizar a experiência na web Modernizar a segurança Substituição da VPN Proteção contra phishing Proteger aplicativos web e APIs Modernizar as redes Rede de cafeterias Modernização de WAN Simplificação de sua rede corporativa Tópicos para CXOs Adotar IA Integrar a IA nas forças de trabalho e nas experiências digitais Segurança de IA Proteger aplicativos de IA agêntica e generativa Conformidade de dados Simplificar a conformidade e minimizar os riscos Criptografia pós-quântica Proteger dados e atender aos padrões de conformidade Setores Saúde Bancário Varejo Jogos Setor público Recursos Guias de produtos Arquiteturas de referência Relatórios de analistas Interagir Eventos Demonstrações Webinars Workshops Solicite uma demonstração Produtos Produtos Segurança do espaço de trabalho Acesso à rede Zero Trust Gateway seguro da web Email security Agente de segurança de acesso à nuvem Segurança de aplicativos Proteção contra DDoS na camada de aplicação Firewall de aplicativos web Segurança para APIs Bot Management Desempenho de aplicativos CDN DNS Roteamento inteligente Load balancing Rede e SASE Proteção contra DDoS nas camadas 3/4 NaaS / SD- WAN Firewall como serviço Network Interconnect Planos e preços Planos Enterprise Planos para pequenas empresas Planos individuais Compare planos Serviços globais Pacotes de suporte e sucesso Experiência otimizada com a Cloudflare Serviços profissionais Implementação liderada por especialistas Gerenciamento técnico de contas Gerenciamento técnico focado Serviço de operações de segurança Monitoramento e resposta da Cloudflare Registro de domínios Compre e gerencie domínios 1.1.1.1 Resolvedor de DNS gratuito Recursos Guias de produtos Arquiteturas de referência Relatórios de analistas Demonstrações de produtos e tour Me ajude a escolher Desenvolvedores Documentação Biblioteca para desenvolvedores Documentação e guias Demonstrações de aplicativos Explore o que você pode criar Tutoriais Tutoriais de criação passo a passo Arquitetura de referência Diagramas e padrões de design Produtos Inteligência artificial AI Gateway Observe e controle aplicativos de IA Workers AI Execute modelos de ML em nossa rede Computação Observability Logs, métricas e rastreamentos Workers Crie e implante aplicativos sem servidor Mídia Images Transforme e otimize imagens Realtime Crie aplicativos de áudio/vídeo em tempo real Armazenamento e banco de dados D1 Crie bancos de dados SQL sem servidor R2 Armazene dados sem taxas de saída caras Planos e preços Workers Crie e implante aplicativos sem servidor Workers KV Armazenamento de chave-valor sem servidor para aplicativos R2 Armazene dados sem taxas de saída caras Explore os projetos Histórias de clientes Demonstração de IA em 30 segundos Guia rápido para começar Explorar o Workers Playground Crie, teste e implante Discord para desenvolvedores Participe da comunidade Comece a desenvolver Parceiros Rede de parceiros Cresça, inove e atenda às necessidades do cliente com a Cloudflare Portal de parceiros Encontre recursos e registre ofertas Tipos de parceria Programa PowerUP Expanda seus negócios e mantenha seus clientes conectados e protegidos Parceiros de Tecnologia Explore nosso ecossistema de parceiros e integradores de tecnologia Integradores de sistema global Apoiar a transformação digital contínua e em grande escala Provedores de serviços Descubra nossa rede de provedores de serviços valiosos Programa de agências de autoatendimento Gerencie contas de autoatendimento para seus clientes Portal peer-to-peer Insights de tráfego para sua rede Localize um parceiro Impulsione seus negócios: conecte-se com os parceiros Cloudflare Powered+. Recursos Interagir Demonstrações e tour dos produtos Demonstrações de produtos sob demanda Estudos de caso Impulsione o sucesso com a Cloudflare Webinars Discussões esclarecedoras Workshops Fóruns virtuais Biblioteca Guias e roteiros úteis e muito mais Relatórios Insights da pesquisa da Cloudflare Blog Aprofundamentos técnicos e notícias sobre produtos Central de aprendizagem Ferramentas educacionais e conteúdo prático Criar Arquitetura de referência Guias técnicos Guias de soluções e produtos Documentação de produtos Documentação Documentação para desenvolvedores Explorar theNET Insights executivos para a empresa digital Cloudflare TV Séries e eventos inovadores Cloudforce One Pesquisa e operações de ameaças Radar Tráfego da internet e tendências de segurança Relatórios de analistas Relatórios de pesquisas do setor Eventos Próximos eventos regionais Confiança, privacidade e conformidade Informações e políticas de conformidade Suporte Fale conosco Fórum da comunidade Perdeu o acesso à conta? Discord para desenvolvedores Obter ajuda Empresa Informações da empresa Liderança Conheça nossos líderes Relações com investidores Informações para investidores Imprensa Explore as notícias recentes Carreiras Explore as funções em aberto confiança, privacidade e segurança Privacidade Política, dados e proteção Confiança Política, processo e segurança Conformidade Certificação e regulamentação Transparência Políticas e divulgações Interesse público Humanitário Projeto Galileo Governo Projeto Athenian Eleições Cloudflare para Campanhas Saúde Project Fair Shot Rede global Locais e status globais Entrar Entre em contato com vendas Cloudy LLM summarizations of email detection | Leia o blog > SASE e segurança do espaço de trabalho Visão geral Soluções Produtos Recursos Preços Proteja-se contra phishing multicanal com a Cloudflare Implemente proteção em camadas que se estende além da sua caixa de entrada A nuvem de conectividade da Cloudflare oferece uma abordagem automatizada e multicamadas para interromper ameaças de phishing em e-mails, SMS, mídia social, mensagens instantâneas e outros aplicativos de colaboração. Fale conosco A DIFERENÇA DA CLOUDFLARE Proteção de baixo impacto e alta eficácia Minimize o risco de phishing com recursos de detecção líderes do setor que exigem ajustes mínimos. Maior consolidação, menor custo Reduza os gastos com uma plataforma única e totalmente integrada que aborda todos os casos de uso de phishing. Rápido de implantar, fácil de gerenciar Obtenha proteção imediata e reduza o tempo e o esforço necessários para o gerenciamento contínuo. Como funciona Implemente proteção multicanal completa com uma única plataforma Use a plataforma de segurança unificada da Cloudflare para primeiro proteger o e-mail e, em seguida, habilitar serviços Zero Trust adicionais para estender a proteção contra phishing em todos os canais. Ler o resumo da solução Implante e escale com facilidade Aplique rapidamente a segurança de e-mail para proteger o canal mais crítico e, em seguida, habilite facilmente os recursos multicanal no seu próprio ritmo. Detenha as ameaças por e-mail Bloqueie automaticamente ataques de comprometimento de e-mail empresarial (BEC), anexos maliciosos e outras ameaças baseadas em e-mail usando análise contextual com tecnologia de ML. Evite violações por roubo de credenciais Implemente acesso condicional e chaves de segurança FIDO2 resistentes a phishing que atuam como uma última linha de defesa se as credenciais forem roubadas ou comprometidas. Bloqueie ataques enganosos baseados em links Isole os usuários de ataques direcionados que usam vários aplicativos de colaboração para induzi-los a clicar em links habilmente ofuscados. A Werner Enterprises reprime phishing e consolida a segurança com a Cloudflare Uma das maiores transportadoras de carga em caminhões dos Estados Unidos, a Werner Enterprises está no centro de uma aliança conectada de soluções de cadeia de suprimentos de classe mundial. A empresa precisava intensificar a proteção contra phishing para sua grande e dispersa força de trabalho, à medida que os ataques aumentavam em frequência e sofisticação. A Werner adotou o Cloudflare Email Security para proteger as caixas de entrada do Microsoft 365, melhorar a proteção para usuários móveis e em roaming e adotar uma abordagem mais proativa para impedir phishing. A empresa reduziu os e-mails maliciosos e, ao mesmo tempo, reduziu a complexidade do gerenciamento. “Desde que implementamos, vimos uma redução de 50% no número de e-mails maliciosos ou suspeitos que nossos usuários recebem todos os dias.” Pronto para acabar com o phishing em vários canais? Fale conosco Reconhecimento do analista A Cloudflare ficou entre as três primeiras na categoria "Oferta atual" neste relatório de analista de segurança de e-mail A Cloudflare é Strong Performer no The Forrester Wave™: Email, Messaging, And Colaboration Security Solutions, T2 de 2025. Recebemos as pontuações mais altas possíveis, 5,0/5,0 em 9 critérios, incluindo antimalware e sandbox, detecção de URL maliciosos e segurança na web, inteligência contra ameaças e análise e processamento de conteúdo. De acordo com o relatório, "A Cloudflare é uma escolha sólida para organizações que buscam aumentar as ferramentas atuais de segurança de e-mail, mensagens e colaboração com recursos profundos de análise de conteúdo e processamento e detecção de malware." Leia o relatório Por que usar a Cloudflare A nuvem de conectividade da Cloudflare simplifica a proteção contra phishing multicanal A plataforma unificada de serviços de segurança e conectividade nativos de nuvem da Cloudflare aborda phishing em e-mails, mensagens instantâneas, SMS, redes sociais e outros aplicativos de colaboração. Arquitetura combinável Atenda a uma gama completa de requisitos de segurança aproveitando ampla interoperabilidade e personalização. Desempenho Proteja e capacite funcionários em todos os lugares com uma rede global que está a aproximadamente 50 ms de 95% dos usuários da internet. Inteligência contra ameaças Evite uma gama completa de ataques cibernéticos com inteligência coletada por meio de proxy em cerca de 20% da web e do bloqueio de bilhões de ameaças diariamente. Interface unificada: Consolide suas ferramentas e fluxos de trabalho. Recursos Slide 1 of 6 RESUMO DA SOLUÇÃO Saiba como a Cloudflare oferece proteção completa contra phishing para funcionários e aplicativos com segurança de e-mail e serviços Zero Trust. Solicite o resumo da solução Informações Descubra como proteger preventivamente os usuários contra phishing, ataques de BEC e ataques baseados em links com o Cloudflare Email Security. Visite a página web Informações Identifique os ataques de phishing que estão escapando de suas defesas de e-mail atuais, sem nenhum custo e sem impacto para seus usuários. Solicite uma avaliação gratuita RESUMO DA SOLUÇÃO Leia como a Cloudflare pode reduzir os riscos de phishing baseado em links aplicando proteções e controles de isolamento do navegador. Baixe o resumo Estudo de caso Saiba como a Cloudflare frustrou um sofisticado ataque de phishing baseado em texto com autenticação multifator (MFA) que usa chaves físicas. Leia o estudo de caso Relatório Explore os principais padrões de ataque com base em aproximadamente 13 bilhões de e-mails processados pela Cloudflare durante um período de um ano. Acesse o relatório RESUMO DA SOLUÇÃO Saiba como a Cloudflare oferece proteção completa contra phishing para funcionários e aplicativos com segurança de e-mail e serviços Zero Trust. Solicite o resumo da solução Informações Descubra como proteger preventivamente os usuários contra phishing, ataques de BEC e ataques baseados em links com o Cloudflare Email Security. Visite a página web Informações Identifique os ataques de phishing que estão escapando de suas defesas de e-mail atuais, sem nenhum custo e sem impacto para seus usuários. Solicite uma avaliação gratuita RESUMO DA SOLUÇÃO Leia como a Cloudflare pode reduzir os riscos de phishing baseado em links aplicando proteções e controles de isolamento do navegador. Baixe o resumo Estudo de caso Saiba como a Cloudflare frustrou um sofisticado ataque de phishing baseado em texto com autenticação multifator (MFA) que usa chaves físicas. Leia o estudo de caso Relatório Explore os principais padrões de ataque com base em aproximadamente 13 bilhões de e-mails processados pela Cloudflare durante um período de um ano. Acesse o relatório RESUMO DA SOLUÇÃO Saiba como a Cloudflare oferece proteção completa contra phishing para funcionários e aplicativos com segurança de e-mail e serviços Zero Trust. Solicite o resumo da solução Informações Descubra como proteger preventivamente os usuários contra phishing, ataques de BEC e ataques baseados em links com o Cloudflare Email Security. Visite a página web Informações Identifique os ataques de phishing que estão escapando de suas defesas de e-mail atuais, sem nenhum custo e sem impacto para seus usuários. Solicite uma avaliação gratuita RESUMO DA SOLUÇÃO Leia como a Cloudflare pode reduzir os riscos de phishing baseado em links aplicando proteções e controles de isolamento do navegador. Baixe o resumo Estudo de caso Saiba como a Cloudflare frustrou um sofisticado ataque de phishing baseado em texto com autenticação multifator (MFA) que usa chaves físicas. Leia o estudo de caso Relatório Explore os principais padrões de ataque com base em aproximadamente 13 bilhões de e-mails processados pela Cloudflare durante um período de um ano. Acesse o relatório COMECE A USAR Planos Gratuitos Planos para pequenas empresas Para empresas Obtenha uma recomendação Solicite uma demonstração Entre em contato com vendas SOLUÇÕES Nuvem de conectividade Serviços de aplicativos SASE e segurança do espaço de trabalho Serviços de rede Plataforma para desenvolvedores SUPORTE Central de Atendimento Suporte ao cliente Fórum da comunidade Discord para desenvolvedores Perdeu o acesso à conta? Status da Cloudflare CONFORMIDADE Recursos de conformidade Confiança RGPD IA responsável Relatório de transparência Notifique o abuso INTERESSE PÚBLICO Projeto Galileo Projeto Athenian Cloudflare para Campanhas Project Fairshot EMPRESA Sobre a Cloudflare Mapa de rede Nossa equipe Logotipos e kit para a imprensa Diversidade, equidade e inclusão Impacto/ESG © 2026 Cloudflare, Inc. Política de privacidade Termos de Uso Denuncie problemas de segurança Confiança e segurança Preferências de cookies Marca registrada Impressum | 2026-01-13T09:29:34 |
https://www.youtube.com/channel/UCQAClQkZEm2rkWvU5bvCAXQ/videos | LibreOffice - The Document Foundation - YouTube 정보 보도자료 저작권 문의하기 크리에이터 광고 개발자 약관 개인정보처리방침 정책 및 안전 YouTube 작동의 원리 새로운 기능 테스트하기 © 2026 Google LLC, Sundar Pichai, 1600 Amphitheatre Parkway, Mountain View CA 94043, USA, 0807-882-594 (무료), yt-support-solutions-kr@google.com, 호스팅: Google LLC, 사업자정보 , 불법촬영물 신고 크리에이터들이 유튜브 상에 게시, 태그 또는 추천한 상품들은 판매자들의 약관에 따라 판매됩니다. 유튜브는 이러한 제품들을 판매하지 않으며, 그에 대한 책임을 지지 않습니다. | 2026-01-13T09:29:34 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.