国产xxxx99真实实拍_久久不雅视频_高清韩国a级特黄毛片_嗯老师别我我受不了了小说

資訊專欄INFORMATION COLUMN

Flask四之模板

sarva / 3129人閱讀

摘要:控制結構條件控制語句循環還支持宏。宏類似于代碼中的函數。在指令之后,基模板中的個塊被重新定義,模板引擎會將其插入適當的位置。初始化之后,就可以在程序中使用一個包含所有文件的基模板。之前版本的模板中的歡迎信息,現在就放在這個頁面頭部。

四、模板
FMTV
F:form表單
M:Model模型(數據庫)
T:Template模板
V:view視圖(路由)
1、渲染模板
模板是一個包含響應文本的文件,其中包含用占位變量表示的動態部分,其具體值
只在請求的上下文中才能知道。 使用真實值替換變量,再返回最終得到的響應字符
串,這一過程稱為渲染。可以使用 render_template() 方法來渲染模板。你需要做
的一切就是將模板名和你想作為關鍵字的參數傳入模板的變量。
Flask 會在 templates 文件夾里尋找模板。所以,如果你的應用是個模塊,這個文
件夾應該與模塊同級;如果它是一個包,那么這個文件夾作為包的子目錄:
模板:
/application.py
/templates
    /hello.html

包:

/application
    /__init__.py
    /templates
        /hello.html

【hello.html】

Hello World!

from flask import render_template @app.route("/hellotemplate/") def hellotemplate(): return render_template("hello.html")

模板引擎
Flask使用了一個名為 Jinja2 的強大模板引擎

{% ... %} Jinja語句,例如判斷、循環語句

{{ ... }} 變量,會顯示在瀏覽器中

{# ... #} 注釋,不會輸出到瀏覽器中

2、變量規則

在模板中使用的 {{ name }} 結構表示一個變量,它是一種特殊的占位符,告訴
模板引擎這個位置的值從渲染模板時使用的數據中獲取。
【helloname.html】

Hello, {{ name }}!

@app.route("/hellotemplate/") def helloname(name): return render_template("helloname.html",name = name)

可以使用過濾器修改變量,過濾器名添加在變量名之后,中間使用豎線分隔。

3、控制結構

1、條件控制語句
【if.html】

{% if name %}
hello, {{name}}
{% else %}
hello, world!
{% endif %}

2、 for 循環
【for.html】

    {% for a in range(10) %}
  1. a
  2. {% endfor %}
@app.route("/for/") def fortemplate(): return render_template("for.html")

3、Jinja2 還支持宏(macro) 。宏類似于 Python 代碼中的函數(def)。
【macro.html】

{% macro myprint(A) %}
this is {{ A }}
{% endmacro %}

{{ myprint(A) }}


@app.route("/macro/")
def macrotamplate(a):
    return render_template("macro.html",A = a)

為了重復使用宏,我們可以將其保存在多帶帶的文件中,然后在需要使用的模板中導入:
【macro2.html】

{% from "macro.html" import myprint %}
{{ myprint(A) }}

@app.route("/macro2/")
def macro2template(a):
    return render_template("macro2.html",A = a)

4、包含(include)
【include.html】

{% include "macro.html" %}


@app.route("/include/")
def includetemplate(a):
    return render_template("include.html",A = a)

【注意】
包含進來的文件里的所有變量也包含進來了,需要在視圖函數中指定

4、模板繼承

首先,創建一個名為 base.html 的基模板:
【base.html】



    {% block head %}
    
        {% block title %}
        {% endblock %}
        - My Application
    
    {% endblock %}



{% block body %}
{% endblock %}


block 標簽定義的元素可在衍生模板中修改。下面這個示例是基模板的衍生模板:
【extend.html】

% extends "base.html" %}
{% block title %}Index{% endblock %}
{% block head %}
{{ super() }}

super

{% endblock %} {% block body %}

Hello, World!

{% endblock %}
extends 指令聲明這個模板衍生自 base.html。在 extends 指令之后,基模板中的
3個塊被重新定義,模板引擎會將其插入適當的位置。如果想添加內容到在父模板
內已經定義的塊,又不想失去父模板里的內容,可以使用super函數
5、使用Flask-Bootstrap

Flask-Bootstrap 使用 pip安裝:

(venv) $ pip install flask-bootstrap

Flask 擴展一般都在創建程序實例后就初始化。
初始化 Flask-Bootstrap 之后,就可以在程序中使用一個包含所有 Bootstrap 文件
的基模板。
【boootstrap.html】

{% extends "bootstrap/base.html" %}

{% block title %}Flasky{% endblock %}

{% block navbar %}

{% endblock %}

{% block content %}
{% endblock %}
Jinja2 中的 extends 指令從 Flask-Bootstrap 中導入 bootstrap/base.html,從而
實現模板繼承。

Flask-Bootstrap 中的基模板提供了一個網頁框架,引入了 Bootstrap 中的所有 CSS 
和JavaScript 文件。基模板中定義了可在衍生模板中重定義的塊。 block 和 endblock 
指令定義的塊中的內容可添加到基模板中。
上面這個 boootstrap.html 模板定義了 3 個塊,分別名為 title、 navbar 和 content。
這些塊都是基模板提供的, 可在衍生模板中重新定義。 title 塊的作用很明顯,其中
的內容會出現在渲染后的 HTML 文檔頭部,放在  標簽中。 navbar 和 content 
這兩個塊分別表示頁面中的導航條和主體內容。在這個模板中, navbar 塊使用 Bootstrap 
組件定義了一個簡單的導航條。content 塊中有個<div> 容器,其中包含一個頁面頭部。
之前版本的模板中的歡迎信息,現在就放在這個頁面頭部。</pre>
<pre>from flask_bootstrap import Bootstrap
bootstrap = Bootstrap(app)
@app.route("/bootstrap/<name>")
def bootstraptemplate(name):
    return render_template("boootstrap.html",name = name)</pre>
<p><strong> 【注意】 </strong> <br>很多塊都是 Flask-Bootstrap 自用的,如果直接重定義可能會導致一些問題。例如, <br>Bootstrap 所需的文件在 styles 和 scripts 塊中聲明。如果程序需要向已經有內<br>容的塊中添加新內容,必須使用Jinja2 提供的 super() 函數。例如,如果要在衍生<br>模板中添加新的 JavaScript 文件,需要這么定義 scripts 塊:</p>
<pre>{% block scripts %}
{{ super() }}
<script type="text/javascript" src="my-script.js"></script>
{% endblock %}</pre>
<b>6、自定義錯誤頁面</b>
<p>【templates/404.html】</p>
<pre><h1> Page is not Found </h1>
@app.errorhandler(404)
def page_not_found(e):
    return render_template("404.html"), 404</pre>
<p>【templates/base.html: 包含導航條的程序基模板】</p>
<pre>{% extends "bootstrap/base.html" %}

{% block title %}Flasky{% endblock %}

{% block head %}
{{ super() }}
<link rel="shortcut icon" href="{{ url_for("static", filename="favicon.ico") }}" type="image/x -icon">
<link rel="icon" href="{{ url_for("static", filename="favicon.ico") }}" type="image/x -icon">
{% endblock %}

{% block navbar %}
<div   id="d7nvllx"   class="navbar navbar-inverse" role="navigation">
    <div   id="tv7vb7z"   class="container">
        <div   id="dbhpt5x"   class="navbar-header">
            <button type="button" class="navbar-toggle" data-toggle="collapse" data-target=".navbar-collapse">
                <span id="rtnfvj7"    class="sr-only">Toggle navigation</span>
                <span id="nnflrdr"    class="icon-bar"></span>
                <span id="vjfjlx7"    class="icon-bar"></span>
                <span id="xxdhbf7"    class="icon-bar"></span>
            </button>
            <a class="navbar-brand" href="/">Flasky</a>
        </div>
        <div   id="prhn5j5"   class="navbar-collapse collapse">
            <ul class="nav navbar-nav">
                <li><a href="/">Home</a></li>
            </ul>
        </div>
    </div>
</div>
{% endblock %}

{% block content %}
<div   id="blntr7t"   class="container">
{% block page_content %}{% endblock %}
</div>
{% endblock %}

{% block scripts %}
{{ super() }}
{{ moment.include_moment() }}
{% endblock %}</pre>
<p>這個模板的 content 塊中只有一個 <div> 容器,其中包含了一個名為 <br>page_content 的新的空塊,塊中的內容由衍生模板定義。</p>
<p>【templates/404.html:使用模板繼承機制自定義 404 錯誤頁面】</p>
<pre>{% extends "base.html" %}
{% block title %}Flasky - Page Not Found{% endblock %}
{% block page_content %}
<div   id="xxvj75d"   class="page-header">
<h1>Not Found</h1>
</div>
{% endblock %}</pre>
<p>templates/boootstrap.html 現在可以通過繼承這個基模板來簡化內容:<br>【 templates/boootstrap.html: 使用模板繼承機制簡化頁面模板】</p>
<pre>{% extends "base.html" %}
{% block title %}Flasky{% endblock %}
{% block page_content %}
<div   id="tzpj5zn"   class="page-header">
<h1>Hello, {{ name }}!</h1>
</div>
{% endblock %}</pre>
<b>7、靜態文件</b>
<p>默認設置下, Flask 在程序根目錄中名為 static 的子目錄中尋找靜態文件。<br>如果需要,可在static 文件夾中使用子文件夾存放文件。給靜態文件生成 <br>URL ,使用特殊的 "static" 端點名:<br>【westeros.html】</p>
<pre><img src = "{{url_for("static",filename = "westeros.jpg")}}">
@app.route("/westeros/")
def westeros():
    return render_template("westeros.html")</pre>
<p>這個文件應該存儲在文件系統上的 static/westeros.jpg 。</p>
<b>8、使用Flask-Moment本地化日期和時間</b>
<p>lask-Moment 是一個 Flask 程序擴展,能把moment.js 集成到 Jinja2 模<br>板中。 Flask-Moment 可以使用 pip 安裝:</p>
<pre>(venv) $ pip install flask-moment</pre>
<p>這個擴展的初始化方法和Bootstrap一樣,以程序實例app為參數:</p>
<pre>from flask_moment import Moment
moment = Moment(app)</pre>
<p>除了 moment.js, Flask-Moment 還依賴 jquery.js。要在 HTML 文檔的某個<br>地方引入這兩個庫,可以直接引入,這樣可以選擇使用哪個版本,也可使用擴<br>展提供的輔助函數,從內容分發網絡(Content Delivery Network, CDN)中<br>引入通過測試的版本。 Bootstrap 已經引入了 jquery.js, 因此只需引入 <br>moment.js即可。<br>【base.html中增加了】</p>
<pre>{% block scripts %}
{{ super() }}
{{ moment.include_moment() }}
{% endblock %}</pre>
<p>【moment.html】</p>
<pre>{% extends "base.html" %}
{% block page_content %}
<div   id="vbhlbrx"   class="page-header">
<h1>Hello World!</h1>
</div>
<p>The local date and time is {{moment(current_time).format("LLL")}}.</p>
<p>That was {{moment(current_time).fromNow(refresh = true)}}.</p>
{% endblock %}</pre>
<p>把變量current_time 傳入模板進行渲染</p>
<pre>from datetime import datetime
@app.route("/moment/")
def momenttemplate():
return render_template("moment.html",current_time = datetime.utcnow())</pre>           
               
                                           
                       
                 </div>
            
                     <div   id="fdfxpdd"   class="mt-64 tags-seach" >
                 <div   id="7j7zfft"   class="tags-info">
                                                                                                                    
                         <a style="width:120px;" title="GPU云服務器" href="http://specialneedsforspecialkids.com/site/product/gpu.html">GPU云服務器</a>
                                             
                         <a style="width:120px;" title="云服務器" href="http://specialneedsforspecialkids.com/site/active/kuaijiesale.html?ytag=seo">云服務器</a>
                                                                                                                                                 
                                      
                     
                    
                                                                                               <a style="width:120px;" title="Flask" href="http://specialneedsforspecialkids.com/yun/tag/Flask/">Flask</a>
                                                                                                           <a style="width:120px;" title="flask建站" href="http://specialneedsforspecialkids.com/yun/tag/flaskjianzhan/">flask建站</a>
                                                                                                           <a style="width:120px;" title="flask 接收表單數據" href="http://specialneedsforspecialkids.com/yun/tag/flask jieshoubiaodanshuju/">flask 接收表單數據</a>
                                                                                                           <a style="width:120px;" title="flask 部署 騰訊云" href="http://specialneedsforspecialkids.com/yun/tag/flask bushu tengxunyun/">flask 部署 騰訊云</a>
                                                         
                 </div>
               
              </div>
             
               <div   id="zjbf5j5"   class="entry-copyright mb-30">
                   <p class="mb-15"> 文章版權歸作者所有,未經允許請勿轉載,若此文章存在違規行為,您可以聯系管理員刪除。</p>
                 
                   <p>轉載請注明本文地址:http://specialneedsforspecialkids.com/yun/40796.html</p>
               </div>
                      
               <ul class="pre-next-page">
                 
                                  <li id="v7jpht5"    class="ellipsis"><a class="hpf" href="http://specialneedsforspecialkids.com/yun/40795.html">上一篇:Flask五之表單</a></li>  
                                                
                                       <li id="5j5b55r"    class="ellipsis"><a class="hpf" href="http://specialneedsforspecialkids.com/yun/40797.html">下一篇:Flask三之請求與響應</a></li>
                                  </ul>
              </div>
              <div   id="f7tzf5p"   class="about_topicone-mid">
                <h3 class="top-com-title mb-0"><span data-id="0">相關文章</span></h3>
                <ul class="com_white-left-mid atricle-list-box">
                             
                                                                                        
                </ul>
              </div>
              
               <div   id="rd7h5j7"   class="topicone-box-wangeditor">
                  
                  <h3 class="top-com-title mb-64"><span>發表評論</span></h3>
                   <div   id="f7rhp5f"   class="xcp-publish-main flex_box_zd">
                                      
                      <div   id="zz7f5bl"   class="unlogin-pinglun-box">
                        <a href="javascript:login()" class="grad">登陸后可評論</a>
                      </div>                   </div>
               </div>
              <div   id="lzbtznd"   class="site-box-content">
                <div   id="jf7f5xj"   class="site-content-title">
                  <h3 class="top-com-title mb-64"><span>0條評論</span></h3>   
                </div> 
                      <div   id="dzp77f7"   class="pages"></ul></div>
              </div>
           </div>
           <div   id="l5r5rft"   class="layui-col-md4 layui-col-lg3 com_white-right site-wrap-right">
              <div   id="brhxpd7"   class=""> 
                <div   id="7dhztjl"   class="com_layuiright-box user-msgbox">
                    <a href="http://specialneedsforspecialkids.com/yun/u-106.html"><img src="http://specialneedsforspecialkids.com/yun/data/avatar/000/00/01/small_000000106.jpg" alt=""></a>
                    <h3><a href="http://specialneedsforspecialkids.com/yun/u-106.html" rel="nofollow">sarva</a></h3>
                    <h6>男<span>|</span>高級講師</h6>
                    <div   id="hhnrzlb"   class="flex_box_zd user-msgbox-atten">
                     
                                                                      <a href="javascript:attentto_user(106)" id="attenttouser_106" class="grad follow-btn notfollow attention">我要關注</a>
      
                                                                                        <a href="javascript:login()" title="發私信" >我要私信</a>
                     
                                            
                    </div>
                    <div   id="jhlbt5d"   class="user-msgbox-list flex_box_zd">
                          <h3 class="hpf">TA的文章</h3>
                          <a href="http://specialneedsforspecialkids.com/yun/ut-106.html" class="box_hxjz">閱讀更多</a>
                    </div>
                      <ul class="user-msgbox-ul">
                                                  <li><h3 class="ellipsis"><a href="http://specialneedsforspecialkids.com/yun/130908.html">用conda安裝tensorflow</a></h3>
                            <p>閱讀 982<span>·</span>2023-04-26 01:47</p></li>
                                                       <li><h3 class="ellipsis"><a href="http://specialneedsforspecialkids.com/yun/123867.html">新網:雙11上云嘉年華,.com域名低至16元/首年;.cn域名低至8.8元/首年</a></h3>
                            <p>閱讀 1672<span>·</span>2021-11-18 13:19</p></li>
                                                       <li><h3 class="ellipsis"><a href="http://specialneedsforspecialkids.com/yun/116353.html">css如何實現n宮格布局?</a></h3>
                            <p>閱讀 2042<span>·</span>2019-08-30 15:44</p></li>
                                                       <li><h3 class="ellipsis"><a href="http://specialneedsforspecialkids.com/yun/116179.html">前端動畫專題(三):撩人的按鈕特效</a></h3>
                            <p>閱讀 645<span>·</span>2019-08-30 15:44</p></li>
                                                       <li><h3 class="ellipsis"><a href="http://specialneedsforspecialkids.com/yun/116111.html">CSS那些事兒</a></h3>
                            <p>閱讀 2291<span>·</span>2019-08-30 15:44</p></li>
                                                       <li><h3 class="ellipsis"><a href="http://specialneedsforspecialkids.com/yun/115770.html">側邊欄的固定與自適應原來是這樣實現的(持續更新)</a></h3>
                            <p>閱讀 1232<span>·</span>2019-08-30 14:06</p></li>
                                                       <li><h3 class="ellipsis"><a href="http://specialneedsforspecialkids.com/yun/115222.html">布局方法一</a></h3>
                            <p>閱讀 1420<span>·</span>2019-08-30 12:59</p></li>
                                                       <li><h3 class="ellipsis"><a href="http://specialneedsforspecialkids.com/yun/112162.html">垂直居中</a></h3>
                            <p>閱讀 1900<span>·</span>2019-08-29 12:49</p></li>
                                                
                      </ul>
                </div>

                   <!-- 文章詳情右側廣告-->
              
  <div   id="vpvntvh"   class="com_layuiright-box">
                  <h6 class="top-com-title"><span>最新活動</span></h6> 
           
         <div   id="hvxzfvx"   class="com_adbox">
                    <div   id="zzdvbrv"   class="layui-carousel" id="right-item">
                      <div carousel-item>
                                                                                                                       <div>
                          <a href="http://specialneedsforspecialkids.com/site/active/kuaijiesale.html?ytag=seo"  rel="nofollow">
                            <img src="http://specialneedsforspecialkids.com/yun/data/attach/240625/2rTjEHmi.png" alt="云服務器">                                 
                          </a>
                        </div>
                                                <div>
                          <a href="http://specialneedsforspecialkids.com/site/product/gpu.html"  rel="nofollow">
                            <img src="http://specialneedsforspecialkids.com/yun/data/attach/240807/7NjZjdrd.png" alt="GPU云服務器">                                 
                          </a>
                        </div>
                                                                   
                    
                        
                      </div>
                    </div>
                      
                    </div>                    <!-- banner結束 -->
              
<div   id="fdtj5nz"   class="adhtml">

</div>
                <script>
                $(function(){
                    $.ajax({
                        type: "GET",
                                url:"http://specialneedsforspecialkids.com/yun/ad/getad/1.html",
                                cache: false,
                                success: function(text){
                                  $(".adhtml").html(text);
                                }
                        });
                    })
                </script>                </div>              </div>
           </div>
        </div>
      </div> 
    </section>
    <!-- wap拉出按鈕 -->
     <div   id="jhbtnzx"   class="site-tree-mobile layui-hide">
      <i class="layui-icon layui-icon-spread-left"></i>
    </div>
    <!-- wap遮罩層 -->
    <div   id="d7xpp7d"   class="site-mobile-shade"></div>
    
       <!--付費閱讀 -->
       <div   class="lj577pl"   id="payread">
         <div   id="7pvp57r"   class="layui-form-item">閱讀需要支付1元查看</div>  
         <div   id="jlrxptv"   class="layui-form-item"><button class="btn-right">支付并查看</button></div>     
       </div>
      <script>
      var prei=0;

       
       $(".site-seo-depict pre").each(function(){
          var html=$(this).html().replace("<code>","").replace("</code>","").replace('<code class="javascript hljs" codemark="1">','');
          $(this).attr('data-clipboard-text',html).attr("id","pre"+prei);
          $(this).html("").append("<code>"+html+"</code>");
         prei++;
       })
           $(".site-seo-depict img").each(function(){
             
            if($(this).attr("src").indexOf('data:image/svg+xml')!= -1){
                $(this).remove();
            }
       })
     $("LINK[href*='style-49037e4d27.css']").remove();
       $("LINK[href*='markdown_views-d7a94ec6ab.css']").remove();
layui.use(['jquery', 'layer','code'], function(){
  $("pre").attr("class","layui-code");
      $("pre").attr("lay-title","");
       $("pre").attr("lay-skin","");
  layui.code(); 
       $(".layui-code-h3 a").attr("class","copycode").html("復制代碼 ").attr("onclick","copycode(this)");
      
});
function copycode(target){
    var id=$(target).parent().parent().attr("id");
  
                  var clipboard = new ClipboardJS("#"+id);

clipboard.on('success', function(e) {


    e.clearSelection();
    alert("復制成功")
});

clipboard.on('error', function(e) {
    alert("復制失敗")
});
}
//$(".site-seo-depict").html($(".site-seo-depict").html().slice(0, -5));
</script>
  <link rel="stylesheet" type="text/css" href="http://specialneedsforspecialkids.com/yun/static/js/neweditor/code/styles/tomorrow-night-eighties.css">
    <script src="http://specialneedsforspecialkids.com/yun/static/js/neweditor/code/highlight.pack.js" type="text/javascript"></script>
    <script src="http://specialneedsforspecialkids.com/yun/static/js/clipboard.js"></script>

<script>hljs.initHighlightingOnLoad();</script>

<script>
    function setcode(){
        var _html='';
    	  document.querySelectorAll('pre code').forEach((block) => {
        	  var _tmptext=$.trim($(block).text());
        	  if(_tmptext!=''){
        		  _html=_html+_tmptext;
        		  console.log(_html);
        	  }
    		 
    		  
    		 
      	  });
    	 

    }

</script>

<script>
function payread(){
  layer.open({
      type: 1,
      title:"付費閱讀",
      shadeClose: true,
      content: $('#payread')
    });
}
// 舉報
function jupao_tip(){
  layer.open({
      type: 1,
      title:false,
      shadeClose: true,
      content: $('#jubao')
    });

}
$(".getcommentlist").click(function(){
var _id=$(this).attr("dataid");
var _tid=$(this).attr("datatid");
$("#articlecommentlist"+_id).toggleClass("hide");
var flag=$("#articlecommentlist"+_id).attr("dataflag");
if(flag==1){
flag=0;
}else{
flag=1;
//加載評論
loadarticlecommentlist(_id,_tid);
}
$("#articlecommentlist"+_id).attr("dataflag",flag);

})
$(".add-comment-btn").click(function(){
var _id=$(this).attr("dataid");
$(".formcomment"+_id).toggleClass("hide");
})
$(".btn-sendartcomment").click(function(){
var _aid=$(this).attr("dataid");
var _tid=$(this).attr("datatid");
var _content=$.trim($(".commenttext"+_aid).val());
if(_content==''){
alert("評論內容不能為空");
return false;
}
var touid=$("#btnsendcomment"+_aid).attr("touid");
if(touid==null){
touid=0;
}
addarticlecomment(_tid,_aid,_content,touid);
})
 $(".button_agree").click(function(){
 var supportobj = $(this);
         var tid = $(this).attr("id");
         $.ajax({
         type: "GET",
                 url:"http://specialneedsforspecialkids.com/yun/index.php?topic/ajaxhassupport/" + tid,
                 cache: false,
                 success: function(hassupport){
                 if (hassupport != '1'){






                         $.ajax({
                         type: "GET",
                                 cache:false,
                                 url: "http://specialneedsforspecialkids.com/yun/index.php?topic/ajaxaddsupport/" + tid,
                                 success: function(comments) {

                                 supportobj.find("span").html(comments+"人贊");
                                 }
                         });
                 }else{
                	 alert("您已經贊過");
                 }
                 }
         });
 });
 function attenquestion(_tid,_rs){
    	$.ajax({
    //提交數據的類型 POST GET
    type:"POST",
    //提交的網址
    url:"http://specialneedsforspecialkids.com/yun/favorite/topicadd.html",
    //提交的數據
    data:{tid:_tid,rs:_rs},
    //返回數據的格式
    datatype: "json",//"xml", "html", "script", "json", "jsonp", "text".
    //在請求之前調用的函數
    beforeSend:function(){},
    //成功返回之后調用的函數
    success:function(data){
    	var data=eval("("+data+")");
    	console.log(data)
       if(data.code==2000){
    	layer.msg(data.msg,function(){
    	  if(data.rs==1){
    	      //取消收藏
    	      $(".layui-layer-tips").attr("data-tips","收藏文章");
    	      $(".layui-layer-tips").html('<i class="fa fa-heart-o"></i>');
    	  }
    	   if(data.rs==0){
    	      //收藏成功
    	      $(".layui-layer-tips").attr("data-tips","已收藏文章");
    	      $(".layui-layer-tips").html('<i class="fa fa-heart"></i>')
    	  }
    	})
    	 
       }else{
    	layer.msg(data.msg)
       }


    }   ,
    //調用執行后調用的函數
    complete: function(XMLHttpRequest, textStatus){
     	postadopt=true;
    },
    //調用出錯執行的函數
    error: function(){
        //請求出錯處理
    	postadopt=false;
    }
 });
}
</script>
<footer>
        <div   id="txn5r5p"   class="layui-container">
            <div   id="fvnhjlz"   class="flex_box_zd">
              <div   id="j7zd55x"   class="left-footer">
                    <h6><a href="http://specialneedsforspecialkids.com/"><img src="http://specialneedsforspecialkids.com/yun/static/theme/ukd//images/logo.png" alt="UCloud (優刻得科技股份有限公司)"></a></h6>
                    <p>UCloud (優刻得科技股份有限公司)是中立、安全的云計算服務平臺,堅持中立,不涉足客戶業務領域。公司自主研發IaaS、PaaS、大數據流通平臺、AI服務平臺等一系列云計算產品,并深入了解互聯網、傳統企業在不同場景下的業務需求,提供公有云、混合云、私有云、專有云在內的綜合性行業解決方案。</p>
              </div>
              <div   id="7l5hdpf"   class="right-footer layui-hidemd">
                  <ul class="flex_box_zd">
                      <li>
                        <h6>UCloud與云服務</h6>
                         <p><a href="http://specialneedsforspecialkids.com/site/about/intro/">公司介紹</a></p>
                         <p><a  >加入我們</a></p>
                         <p><a href="http://specialneedsforspecialkids.com/site/ucan/onlineclass/">UCan線上公開課</a></p>
                         <p><a href="http://specialneedsforspecialkids.com/site/solutions.html" >行業解決方案</a></p>                                                  <p><a href="http://specialneedsforspecialkids.com/site/pro-notice/">產品動態</a></p>
                      </li>
                      <li>
                        <h6>友情鏈接</h6>                                             <p><a >GPU算力平臺</a></p>                                             <p><a >UCloud私有云</a></p>
                                             <p><a >SurferCloud</a></p>                                             <p><a >工廠仿真軟件</a></p>                                             <p><a >Pinex</a></p>                                             <p><a >AI繪畫</a></p>
                                             
                      </li>
                      <li>
                        <h6>社區欄目</h6>
                         <p><a href="http://specialneedsforspecialkids.com/yun/column/index.html">專欄文章</a></p>
                     <p><a href="http://specialneedsforspecialkids.com/yun/udata/">專題地圖</a></p>                      </li>
                      <li>
                        <h6>常見問題</h6>
                         <p><a href="http://specialneedsforspecialkids.com/site/ucsafe/notice.html" >安全中心</a></p>
                         <p><a href="http://specialneedsforspecialkids.com/site/about/news/recent/" >新聞動態</a></p>
                         <p><a href="http://specialneedsforspecialkids.com/site/about/news/report/">媒體動態</a></p>                                                  <p><a href="http://specialneedsforspecialkids.com/site/cases.html">客戶案例</a></p>                                                
                         <p><a href="http://specialneedsforspecialkids.com/site/notice/">公告</a></p>
                      </li>
                      <li>
                          <span><img src="https://static.ucloud.cn/7a4b6983f4b94bcb97380adc5d073865.png" alt="優刻得"></span>
                          <p>掃掃了解更多</p></div>
            </div>
            <div   id="jhdj55x"   class="copyright">Copyright ? 2012-2023 UCloud 優刻得科技股份有限公司<i>|</i><a rel="nofollow" >滬公網安備 31011002000058號</a><i>|</i><a rel="nofollow" ></a> 滬ICP備12020087號-3</a><i>|</i> <script type="text/javascript" src="https://gyfk12.kuaishang.cn/bs/ks.j?cI=197688&fI=125915" charset="utf-8"></script>
<script>
var _hmt = _hmt || [];
(function() {
  var hm = document.createElement("script");
  hm.src = "https://hm.baidu.com/hm.js?290c2650b305fc9fff0dbdcafe48b59d";
  var s = document.getElementsByTagName("script")[0]; 
  s.parentNode.insertBefore(hm, s);
})();
</script>
<!-- Global site tag (gtag.js) - Google Analytics -->
<script async src="https://www.googletagmanager.com/gtag/js?id=G-DZSMXQ3P9N"></script>
<script>
  window.dataLayer = window.dataLayer || [];
  function gtag(){dataLayer.push(arguments);}
  gtag('js', new Date());

  gtag('config', 'G-DZSMXQ3P9N');
</script>
<script>
(function(){
var el = document.createElement("script");
el.src = "https://lf1-cdn-tos.bytegoofy.com/goofy/ttzz/push.js?99f50ea166557aed914eb4a66a7a70a4709cbb98a54ecb576877d99556fb4bfc3d72cd14f8a76432df3935ab77ec54f830517b3cb210f7fd334f50ccb772134a";
el.id = "ttzz";
var s = document.getElementsByTagName("script")[0];
s.parentNode.insertBefore(el, s);
})(window)
</script></div> 
        </div>
    </footer>

<footer>
<div class="friendship-link">
<p>感谢您访问我们的网站,您可能还对以下资源感兴趣:</p>
<a href="http://specialneedsforspecialkids.com/" title="国产xxxx99真实实拍">国产xxxx99真实实拍</a>

<div class="friend-links">

<a href="http://belistarlp.com/">国产黄色在线</a>
</div>
</div>

</footer>

<script>
(function(){
    var bp = document.createElement('script');
    var curProtocol = window.location.protocol.split(':')[0];
    if (curProtocol === 'https') {
        bp.src = 'https://zz.bdstatic.com/linksubmit/push.js';
    }
    else {
        bp.src = 'http://push.zhanzhang.baidu.com/push.js';
    }
    var s = document.getElementsByTagName("script")[0];
    s.parentNode.insertBefore(bp, s);
})();
</script>
</body><div id="bnb3v" class="pl_css_ganrao" style="display: none;"><u id="bnb3v"><ins id="bnb3v"><address id="bnb3v"><p id="bnb3v"></p></address></ins></u><ruby id="bnb3v"><sub id="bnb3v"><big id="bnb3v"><label id="bnb3v"></label></big></sub></ruby><div id="bnb3v"><ol id="bnb3v"></ol></div><legend id="bnb3v"><th id="bnb3v"><b id="bnb3v"><mark id="bnb3v"></mark></b></th></legend><legend id="bnb3v"><th id="bnb3v"></th></legend><ruby id="bnb3v"><thead id="bnb3v"><big id="bnb3v"><dl id="bnb3v"></dl></big></thead></ruby><strong id="bnb3v"></strong><dl id="bnb3v"><pre id="bnb3v"><ruby id="bnb3v"><thead id="bnb3v"></thead></ruby></pre></dl><label id="bnb3v"></label><var id="bnb3v"></var><dl id="bnb3v"><pre id="bnb3v"></pre></dl><em id="bnb3v"><meter id="bnb3v"></meter></em><strike id="bnb3v"></strike><i id="bnb3v"><listing id="bnb3v"><dfn id="bnb3v"><output id="bnb3v"></output></dfn></listing></i><label id="bnb3v"></label><u id="bnb3v"><ins id="bnb3v"></ins></u><span id="bnb3v"><i id="bnb3v"><listing id="bnb3v"><optgroup id="bnb3v"></optgroup></listing></i></span><dfn id="bnb3v"><menuitem id="bnb3v"><span id="bnb3v"><thead id="bnb3v"></thead></span></menuitem></dfn><pre id="bnb3v"><th id="bnb3v"><thead id="bnb3v"><progress id="bnb3v"></progress></thead></th></pre><style id="bnb3v"></style><pre id="bnb3v"><i id="bnb3v"><listing id="bnb3v"><dfn id="bnb3v"></dfn></listing></i></pre><sup id="bnb3v"><label id="bnb3v"><rp id="bnb3v"><em id="bnb3v"></em></rp></label></sup><sub id="bnb3v"><strike id="bnb3v"><strong id="bnb3v"><optgroup id="bnb3v"></optgroup></strong></strike></sub><ruby id="bnb3v"><thead id="bnb3v"></thead></ruby><strong id="bnb3v"><optgroup id="bnb3v"><ruby id="bnb3v"><thead id="bnb3v"></thead></ruby></optgroup></strong><listing id="bnb3v"></listing><nobr id="bnb3v"><em id="bnb3v"><menuitem id="bnb3v"><pre id="bnb3v"></pre></menuitem></em></nobr><track id="bnb3v"><thead id="bnb3v"><big id="bnb3v"><dl id="bnb3v"></dl></big></thead></track><pre id="bnb3v"><style id="bnb3v"><listing id="bnb3v"><small id="bnb3v"></small></listing></style></pre><var id="bnb3v"><u id="bnb3v"><ins id="bnb3v"><font id="bnb3v"></font></ins></u></var><sub id="bnb3v"><thead id="bnb3v"></thead></sub><b id="bnb3v"><mark id="bnb3v"></mark></b><output id="bnb3v"></output><video id="bnb3v"><em id="bnb3v"></em></video><i id="bnb3v"></i><progress id="bnb3v"></progress><small id="bnb3v"><menuitem id="bnb3v"></menuitem></small><ruby id="bnb3v"></ruby><tt id="bnb3v"><big id="bnb3v"><dl id="bnb3v"><legend id="bnb3v"></legend></dl></big></tt><label id="bnb3v"><strong id="bnb3v"><track id="bnb3v"><tt id="bnb3v"></tt></track></strong></label><track id="bnb3v"><thead id="bnb3v"><progress id="bnb3v"><dl id="bnb3v"></dl></progress></thead></track><strong id="bnb3v"><track id="bnb3v"></track></strong><strong id="bnb3v"><track id="bnb3v"></track></strong><label id="bnb3v"></label><output id="bnb3v"></output><legend id="bnb3v"></legend><sub id="bnb3v"></sub><progress id="bnb3v"><acronym id="bnb3v"></acronym></progress><sub id="bnb3v"><strike id="bnb3v"></strike></sub><em id="bnb3v"><meter id="bnb3v"><pre id="bnb3v"><i id="bnb3v"></i></pre></meter></em><legend id="bnb3v"></legend><var id="bnb3v"><u id="bnb3v"></u></var><small id="bnb3v"></small><output id="bnb3v"><thead id="bnb3v"><big id="bnb3v"><dl id="bnb3v"></dl></big></thead></output><track id="bnb3v"><tt id="bnb3v"><big id="bnb3v"><label id="bnb3v"></label></big></tt></track><style id="bnb3v"><nobr id="bnb3v"><em id="bnb3v"><meter id="bnb3v"></meter></em></nobr></style><rp id="bnb3v"></rp><big id="bnb3v"></big><ins id="bnb3v"></ins><form id="bnb3v"><legend id="bnb3v"></legend></form><strong id="bnb3v"></strong><sub id="bnb3v"><thead id="bnb3v"></thead></sub><label id="bnb3v"><strong id="bnb3v"><track id="bnb3v"><tt id="bnb3v"></tt></track></strong></label><track id="bnb3v"></track><strong id="bnb3v"><track id="bnb3v"></track></strong><strong id="bnb3v"><optgroup id="bnb3v"><ruby id="bnb3v"><thead id="bnb3v"></thead></ruby></optgroup></strong><p id="bnb3v"><var id="bnb3v"></var></p><label id="bnb3v"></label><big id="bnb3v"><dl id="bnb3v"><legend id="bnb3v"><dfn id="bnb3v"></dfn></legend></dl></big><legend id="bnb3v"><var id="bnb3v"></var></legend><rp id="bnb3v"></rp><strike id="bnb3v"><nobr id="bnb3v"></nobr></strike><i id="bnb3v"></i><address id="bnb3v"></address><th id="bnb3v"></th><u id="bnb3v"><ins id="bnb3v"><address id="bnb3v"><legend id="bnb3v"></legend></address></ins></u><track id="bnb3v"><tt id="bnb3v"></tt></track><strong id="bnb3v"><track id="bnb3v"></track></strong><em id="bnb3v"><div id="bnb3v"><ol id="bnb3v"><style id="bnb3v"></style></ol></div></em><ruby id="bnb3v"><thead id="bnb3v"></thead></ruby><ol id="bnb3v"></ol><pre id="bnb3v"></pre><mark id="bnb3v"><form id="bnb3v"><legend id="bnb3v"><var id="bnb3v"></var></legend></form></mark><address id="bnb3v"><legend id="bnb3v"></legend></address><legend id="bnb3v"></legend><dl id="bnb3v"><legend id="bnb3v"></legend></dl><legend id="bnb3v"><th id="bnb3v"><b id="bnb3v"><mark id="bnb3v"></mark></b></th></legend><listing id="bnb3v"></listing><big id="bnb3v"><dl id="bnb3v"></dl></big><strike id="bnb3v"><listing id="bnb3v"></listing></strike><ruby id="bnb3v"><thead id="bnb3v"></thead></ruby><legend id="bnb3v"><dfn id="bnb3v"><u id="bnb3v"><ins id="bnb3v"></ins></u></dfn></legend><span id="bnb3v"></span><th id="bnb3v"><b id="bnb3v"><progress id="bnb3v"><form id="bnb3v"></form></progress></b></th><sub id="bnb3v"><thead id="bnb3v"><strong id="bnb3v"><pre id="bnb3v"></pre></strong></thead></sub><div id="bnb3v"></div><div id="bnb3v"></div><dl id="bnb3v"><pre id="bnb3v"><dfn id="bnb3v"><u id="bnb3v"></u></dfn></pre></dl><dfn id="bnb3v"><u id="bnb3v"></u></dfn><i id="bnb3v"><listing id="bnb3v"></listing></i><p id="bnb3v"><var id="bnb3v"></var></p><i id="bnb3v"><nobr id="bnb3v"><dfn id="bnb3v"><menuitem id="bnb3v"></menuitem></dfn></nobr></i><b id="bnb3v"><mark id="bnb3v"></mark></b><nobr id="bnb3v"></nobr><listing id="bnb3v"><small id="bnb3v"></small></listing><pre id="bnb3v"><i id="bnb3v"><nobr id="bnb3v"><small id="bnb3v"></small></nobr></i></pre><optgroup id="bnb3v"></optgroup><sub id="bnb3v"><strike id="bnb3v"></strike></sub><sup id="bnb3v"><label id="bnb3v"><video id="bnb3v"><font id="bnb3v"></font></video></label></sup><optgroup id="bnb3v"><ruby id="bnb3v"><sub id="bnb3v"><big id="bnb3v"></big></sub></ruby></optgroup><form id="bnb3v"><pre id="bnb3v"><dfn id="bnb3v"><b id="bnb3v"></b></dfn></pre></form><p id="bnb3v"><var id="bnb3v"></var></p><track id="bnb3v"><sub id="bnb3v"><thead id="bnb3v"><label id="bnb3v"></label></thead></sub></track><meter id="bnb3v"></meter><small id="bnb3v"></small><thead id="bnb3v"><thead id="bnb3v"><label id="bnb3v"><strong id="bnb3v"></strong></label></thead></thead><em id="bnb3v"><div id="bnb3v"><ol id="bnb3v"><style id="bnb3v"></style></ol></div></em><label id="bnb3v"><video id="bnb3v"></video></label><address id="bnb3v"></address><address id="bnb3v"></address><strong id="bnb3v"></strong><dfn id="bnb3v"><menuitem id="bnb3v"><span id="bnb3v"><strike id="bnb3v"></strike></span></menuitem></dfn><ins id="bnb3v"><form id="bnb3v"><p id="bnb3v"><var id="bnb3v"></var></p></form></ins><strong id="bnb3v"><track id="bnb3v"></track></strong><ins id="bnb3v"><form id="bnb3v"><legend id="bnb3v"><sup id="bnb3v"></sup></legend></form></ins><ins id="bnb3v"><acronym id="bnb3v"><legend id="bnb3v"><var id="bnb3v"></var></legend></acronym></ins><small id="bnb3v"><meter id="bnb3v"></meter></small><style id="bnb3v"><nobr id="bnb3v"><dfn id="bnb3v"><menuitem id="bnb3v"></menuitem></dfn></nobr></style><span id="bnb3v"></span><address id="bnb3v"></address><tt id="bnb3v"><progress id="bnb3v"><acronym id="bnb3v"><legend id="bnb3v"></legend></acronym></progress></tt><optgroup id="bnb3v"></optgroup><label id="bnb3v"><strong id="bnb3v"></strong></label><dl id="bnb3v"><pre id="bnb3v"></pre></dl><strong id="bnb3v"><track id="bnb3v"></track></strong><listing id="bnb3v"><dfn id="bnb3v"></dfn></listing><th id="bnb3v"></th><optgroup id="bnb3v"></optgroup><mark id="bnb3v"><form id="bnb3v"><p id="bnb3v"><sup id="bnb3v"></sup></p></form></mark><i id="bnb3v"><listing id="bnb3v"><small id="bnb3v"><output id="bnb3v"></output></small></listing></i><label id="bnb3v"><rp id="bnb3v"></rp></label><address id="bnb3v"></address><small id="bnb3v"></small><video id="bnb3v"><font id="bnb3v"><div id="bnb3v"><sup id="bnb3v"></sup></div></font></video><output id="bnb3v"><span id="bnb3v"><i id="bnb3v"><strong id="bnb3v"></strong></i></span></output><ruby id="bnb3v"><sub id="bnb3v"></sub></ruby><strike id="bnb3v"></strike><tt id="bnb3v"></tt><pre id="bnb3v"><track id="bnb3v"><tt id="bnb3v"><progress id="bnb3v"></progress></tt></track></pre><pre id="bnb3v"><track id="bnb3v"><thead id="bnb3v"><big id="bnb3v"></big></thead></track></pre></div>
<script src="http://specialneedsforspecialkids.com/yun/static/theme/ukd/js/common.js"></script>
<<script type="text/javascript">
$(".site-seo-depict *,.site-content-answer-body *,.site-body-depict *").css("max-width","100%");
</script>
</html>