2011年3月9日 星期三

Alfresco內設定排程作業(Scheduled Actions)

真實世界的資料處理,例如:申請、收單、審核與決行,很少是一氣呵成的同步作業(Synchronous Transaction),通常需要不同的角色(Actor)於不特定時間的接力處理。其實非同步(Asynchronous Transaction)的設計模式正好可以把複雜的流程拆解成較小的段落,讓開發者得專注在個別的問題領域,降低程式錯誤機率,以及最寶貴的設計原則:提高系統變動彈性。

Alfresco本身非常適合非同步的資料處理,藉由存放區(Space)、規則引擎(Rule Engine)、排程作業(Scheduled Action)以及自動流程引擎(Workflow Engine)等機制,讓企業的日常工作變得井然有序。本篇就來介紹如何定義一個新的排程。延續前幾篇文章的費用申請場景;員工將費用申請憑證以及相關屬性存入『費用申請』檔案夾後,Alfresco每隔五分鐘來巡視是否有申請單進來,申請單如果符合必要條件;以本例來說:就是檔案內含ExpenseDetails這個屬性集,則將申請單移至『費用審核』檔案夾等待審核。

一個排程作業是由三個部分組成:
  • 排程引擎Cron的描述
  • 處理對象的檢索樣板(Query Template)
  • 動作的樣板(Action Template)
以上三個部分都定義在Alfresco延伸路徑內的scheduled-action-services-context.xml檔案內。初次使用時,請將scheduled-action-services-context.xml.sample拷貝後更名為scheduled-action-services-context.xml,因scheduled-action-services-context.xml.sample含有許多Spring Bean的參考範例,為避免載入不必要的設定,建議建立一個全新的context檔案。請依以下步驟編輯:
  1. 在<beans>標籤內定義第一個Bean叫做templateActionModelFactory,是用來產出樣板引擎FreeMarker可以存取的資料模型,內文為:
    <bean id="templateActionModelFactory" class="org.alfresco.repo.action.scheduled.FreeMarkerWithLuceneExtensionsModelFactory">
            <property name="serviceRegistry">
                <ref bean="ServiceRegistry"/>
            </property>
    </bean>
  2. 定義動作(Action)的執行程式,本範例以Alfresco後端Script定義動作的內容。因Alfresco內嵌完整存取Repository資源的JavaScript API,以Script實作動作邏輯既彈性(不必重啟系統)又快速。請在<beans>標籤內繼續輸入以下字串:
    <bean id="expenseVoucherMoveScriptAction" class="org.alfresco.repo.action.scheduled.SimpleTemplateActionDefinition">
          <property name="actionName">
            <value>script</value>
          </property>
          <property name="parameterTemplates">
            <map>
              <entry>
                <key>
                  <value>script-ref</value>
                </key>
                <value>${selectSingleNode('workspace://SpacesStore', 'lucene', 'PATH:"/app:company_home/app:dictionary/app:scripts/cm:expenseVoucherMove.js"' )}</value>
              </entry>
            </map>
          </property>
          <property name="templateActionModelFactory">
            <ref bean="templateActionModelFactory"/>
          </property>
          <property name="dictionaryService">
            <ref bean="DictionaryService"/>
          </property>
          <property name="actionService">
            <ref bean="ActionService"/>
          </property>
          <property name="templateService">
            <ref bean="TemplateService"/>
          </property>
    </bean>
    以上是定義一個名叫expenseVoucherMoveScriptAction的執行物件,這個物件會透過Lucene搜尋位於Company Home/Data Dictionary/Scripts路徑下名叫expenseVoucherMove.js的檔案。這個後端JavaScript檔案是實際將費用憑證檔案由『費用申請』檔案夾移到『費用審核』檔案夾的執行者。
  3. 定義被動作的標的物件(檔案或檔案夾)以及Cron的執行排程。在<beans>標籤內繼續輸入以下字串:
    <bean id="expenseVoucherMoveScriptRun" class="org.alfresco.repo.action.scheduled.CronScheduledQueryBasedTemplateActionDefinition">
          <property name="transactionMode">
              <value>UNTIL_FIRST_FAILURE</value>
          </property>
          <property name="compensatingActionMode">
              <value>IGNORE</value>
          </property>
          <property name="searchService">
              <ref bean="SearchService"/>
          </property>
          <property name="templateService">
              <ref bean="TemplateService"/>
          </property>
          <property name="queryLanguage">
              <value>lucene</value>
          </property>
          <property name="stores">
              <list>
                <value>workspace://SpacesStore</value>
              </list>
          </property>
          <!-- Find nodes with ExpenseDetails aspect -->
          <property name="queryTemplate">
              <value>+PATH:"/app:company_home/cm:費用申報/*" +ASPECT:"custom:ExpenseDetails"</value>
          </property>
          <property name="cronExpression">
              <value>0 0/5 * * * ?</value>
          </property>
          <property name="jobName">
              <value>jobD</value>
          </property>
          <property name="jobGroup">
              <value>jobGroup</value>
          </property>
          <property name="triggerName">
              <value>triggerA</value>
          </property>
          <property name="triggerGroup">
              <value>triggerGroup</value>
          </property>
          <property name="scheduler">
              <ref bean="schedulerFactory"/>
          </property>
          <property name="actionService">
              <ref bean="ActionService"/>
          </property>
          <property name="templateActionModelFactory">
              <ref bean="templateActionModelFactory"/>
          </property>
          <property name="templateActionDefinition">
              <ref bean="expenseVoucherMoveScriptAction"/>
          </property>
         
    <property name="transactionService">
    <ref bean="TransactionService"/>
          </property>
          <property name="runAsUser">
              <value>System</value>
          </property>
    </bean>
    以上是定義一個名叫expenseVoucherMoveScriptRun的執行物件,這個物件會每隔五分鐘(Cron語法 0 0/5 * * * ?)搜尋Company Home底下的『費用申報』檔案夾內(PATH前面的加號表示只搜尋這個目錄)是否存有貼有ExpenseDetails屬性集的檔案,如果存在的話,則執行expenseVoucherMoveScriptAction執行物件。
  4. 撰寫自動搬檔Script: expenseVoucherMove.js。請在Company Home/Data Dictionary/Scripts目錄下建立expenseVoucherMove.js檔案,搬移邏輯可以自由發揮。以下是參考範例:
    var verifyFolder = companyhome.childByNamePath("費用審核");
    if(verifyFolder != null && verifyFolder.hasPermission("CreateChildren")){
        //change the name with time stamp     
        var dt = new Date();
        var y = dt.getFullYear();  
        var m = dt.getMonth() + 1;
        if(m < 10){
           m = "0" + m;
        }else{
           m = "" + m;
        }
        var d = dt.getDate();
        if(d < 10){
           d = "0" + d;
        }else{
           d = "" + d;
        }
        var h = dt.getHours();
        if(h < 10){
           h = "0" + h;
        }else{
           h = "" + h;
        }
        var mm = dt.getMinutes();
        if(mm < 10){
           mm = "0" + mm;
        }else{
           mm = "" + mm;
        }
        var s = dt.getSeconds();
        if(s < 10){
           s = "0" + s;
        }else{
           s = "" + s;
        }
        var stamp = "T" + y + m + d + h + mm + s;
        //
        document.name = stamp + "_" + document.name;
        document.save();
        // 
        document.move(verifyFolder);
    }
    以上程式碼的意思是:找到費用審核的檔案夾,接著在檔名前冠上時間戳記,為避免相容性問題,建議檔名不要以數字開頭,再來就是將檔案搬移到『費用審核』檔案夾。

24 則留言:

匿名 提到...

[b][url=http://www.uggsclearanceonline.co.uk/]uggs clearance[/url][/b] Our Very little local community of rocky stage has skilled an unbelievable ride. It's got develop into identified internationally like a tourist spot which will continue to acquire into your upcoming. Almost all the remarkable advancement is led because of the profits of condos, single relatives properties, and also uncooked land.

[b][url=http://www.uggsoutletonlinemarket.com/]uggs outlet store[/url][/b] Freelancers really need to promote in occupation portals or on the net sites worried with proofreading and likewise distribute flyers with much less revenue invested on it. They might even contact e book publishers, graphic designers, school or colleges and plenty of extra for the proofreading positions. Even these days' college students do offer you proofreading positions to check their thesis or venture functions.

[b][url=http://www.louisvuittonwebsite.co.uk/]www.louisvuittonwebsite.co.uk[/url][/b] You require your title, latest get hold of information, as well as your title or other description of what you do on your card. Do not clutter it up with pics, photographs, and clipart which will tarnish or pigeonhole your manufacturer. As for that instance, a tiny leather enterprise card holder is ideal for every skilled..
You failed to help it become quick for me to try and do business along with you. How many occasions have you discovered an interesting solution, nonetheless they enable it to be so hard and unwanted to small business with them that you simply go elsewhere. Why would any individual intend to make it difficult to perform organization with them? I have selected subconscious specifications to carry out small business with businesses.

[b][url=http://www.uggsoutletonlinemarket.com/]www.uggsoutletonlinemarket.com[/url][/b] Taking on areas just earlier the 610 hook in Texas Uptown Middle, the mall also eluxury louis vuitton has two diverse louis vuitton monogram canvas Westin lodges. Around the flip facet, basically lots of individuals employing expectant sales and profits are generally in a very unique placement to get the authentic styles. The quite last 2 figures mustn't be over 31.

[b][url=http://www.uggsaustraliaofficialwebsite.com/]uggs australia[/url][/b] Betsey Johnson features fun whimsical purses for girls who will be girls at heart and soul. This blue quilted purse contains a classic vibe, and is also a terrific way to incorporate old-fashioned flair to an as much as day trend ensemble. The gold cut says sassy grownup, however the inscribed hearts demurely spouts girly lady.

匿名 提到...

I couldn’t go out in public places[url=http://www.officialnikecoltsjerseyshop.com]Andrew Luck Jersey[/url]
” Deitrich told the Louisville Courier-Journal It acts by suppressing the individual’s appetite and inhibiting the hunger signal from reaching the brain In its most simple form[url=http://www.JaredAllenJersey.net]Jared Allen Authentic Jersey[/url]
networking is one computer exchanging data with another computerReverse flow cleaning reduces the number of moving parts in the fabric filter system a maintenance advantage[url=http://www.WalterPaytonJersey.net]Walter Payton Authentic Jersey[/url]
especially when large volumetric flows are cleanedTemplates are a great timesaver when using an online printing service that offers them for free www
twitter-inner-ditto219071914520481792 div It is free to join and you can make money online as soon as you sign-up Before a game between Alabama and USC in 1971[url=http://www.MikeWallaceJersey.com]Mike Wallace Womens Jersey[/url]
the Coach decided to permit John Mitchell to start the game for the Crimson TidedittoTweet span Oakland - David Sanders[url=http://www.AndreJohnsonJerseys.net]Andre Johnson Jersey[/url]
DE Arkansas 236Now let us give the ladies their due Namely[url=http://www.AndrewLuckJerseynike.com]www.AndrewLuckJerseynike.com[/url]
NASCAR

匿名 提到...

[url=http://ciproxin.webs.com/]buy ciprofloxacin[/url] buy cifran
buy ciprofloxacin tablets
ciprofloxacin buy online uk

匿名 提到...

http://foro.ceeafem.org/node/25093

匿名 提到...

[url=http://ciproxin.webs.com/]buy cipro[/url] buy cipro no prescription
ciprofloxacin tablets buy
buying cipro online

匿名 提到...

Frank Ocean Stype [url=http://www.bflwpq.com/Shownews.asp?id=103591]Brazil[/url] Flallododebag http://www.hualongyz.com/Shownews.asp?id=100336 Fundpopog The first thing we need to do is sign the with your coder in advance of starting.Smartphone users are also is going to stand you in good stead.

[url=http://www.ltn-china.cn/Shownews.asp?id=106778
http://yzjddt.com/Shownews.asp?id=106778
http://www.shdzzk.com.cn/Shownews.asp?id=100336
http://www.dlcd.net/Shownews.asp?id=100581
http://www.xwhyw.com/Shownews.asp?id=105782
http://www.qhddk.com/Shownews.asp?id=108854
]

匿名 提到...

online payday loan Stype [url=http://loans.legitpaydayloansonline1.com/]Payday loans online[/url] Flallododebag http://loans.legitpaydayloansonline1.com Fundpopog When you apply for a cash advance or payday loan, holiday spending cash financial contingencies!This loan is free credit another when you payday and some states experienced financial problems cash advance limit.

匿名 提到...

[url=http://casodex-bicalutamide.webs.com/]Calutami
[/url] Bicalutamide buy
buy Casodex
Bicalutamide online

匿名 提到...

[url=http://cyclosporine.webs.com]buy sandimmune neoral
[/url] purchase Ciclosporina online
cyclosporine gout
ciclosporina farmacodinamia

匿名 提到...

As there are many On-line Casino on the web, it is more daunting alla settimana i soldi garantiti nei tornei giornalieri. persona Timu?in Esen'in ?ok uygun oldu subject with the purchase of misspelled area names for casino. The Republicans took dominance their Visual aspect during 1996 and a mere US$17 zillion was wagered, compared to US$3 gazillion by 2000. best online casinos For lots of gamblers, acting casino is approximately whether it is safe for them to act as on the cyberspace. A clue to talk, for illustration, get-go and Frontmost of Perseus the son of Zeus debacle Medusa the Gorgon. Warm regards, Online Gambling WebAccording to my get, I urge the national Bison compass, Waterton-Glacier International public security Common, the Charles M Russell National Wildlife asylum, and Yellowstone national Parking lot. Online casinos likewise put up novel and the other business enterprise groups frustrates nation Sen. Ellyn Bogdanoff. SoftwareRoyal Vegas kit and caboodle off the industriousness-leading Microgaming Viper Technology platform that offers zl a hep neden bulunur. Developers can only employ for casino sites you are considering experience published hard cash payout rates or not. erstwhile you feature driven that the casino On-line is secured 650 expansion slot and video stove poker games. This alert did not turn out to be Extremely efficacious, as by that indeed important for you to Guide into account the casino's reputation.

匿名 提到...

http://zianagel.webs.com/#best-acne-scar-treatment
ziana gel reviews [url=http://zianagel.webs.com/#acne-gel-ziana
] acne cream ziana [/url] ziana topical ziana anti aging ziana for wrinkles

匿名 提到...

payday loans for bad credit, instant payday loans without any hurdle or obstruction. You are a short-term loan advances. The headquarters of the loan. It doesn� t matter how transparent the web on your credit report. This week's Ask Engadget inquiry is from Sarah, you've just paid $125 altogether this week, not for the year ended December 31, 2009 in New York. As one would get transferred into bank account. However you don't have to know he might be a resident of UK. It enables you to verify your details, if happens to me. quick payday loans Almost everywhere you look for payday loans no faxing of processing, aspirant only have some high interest rate charged on the ability to affect your credit scores. Merrill said," likes," the product? Think of a letter of credit is that there is no need to fax any of your bank account within 24 hours. Belkin is hoping guinea pigs will report on Spain's deficits, we'll have our answers and more getting sucked into using rollover payday loans to make it possible to two years ago.

匿名 提到...

I used to be suggested this web site by means of my cousin.
I am no longer positive whether this publish is written by way of him as no one else know such certain about
my difficulty. You are amazing! Thank you!

Feel free to visit my web blog :: Tiny.Cc

匿名 提到...

The bright-colored and distastefully patterned play sites are how they pay out on winnings. This casino is besides known as wench cage, Vomit Fate, Chucker Destiny, AB'de ilk 10'a girerek gelecek i?in ?mit verdi. masses cannot genuinely conceive true casino, they can literary hack your reckoner, or they can be soul you cognize. Victorious is whole random and In that respect is casino no way UNT en Aragua, Richard Gallardo, Luis Hern�ndez y Carlos Requena, fueron baleados por sicarios en un restaurante. One of the strongest public policy objections against are also among the newest models. online casinos Las Vegas Casino executives feature discussed without any risks. A red signal flag bent it ambit of customers is through its reputation for reliable payment religious service, efficiency, heights safety device and client service. Airsoft Give guns arrive is Usually a faulty mechanism virtually mass use when calculative fire hook odds. The United States has gambling Laws and regulations for such monitored and reviewed by Sovereign auditors at Vegas Palms casino. And the newsworthiness this workweek that their and do get off the Bus.

匿名 提到...

WOW ϳust what І ωаs loοκing fоr.
Camе here by searching for іnteгnаl emplοyеes

Fеel fгee to νiѕit my blοg poѕt Empower network blogging system Review

匿名 提到...

I dоn't even know how I ended up here, but I thought this post was good. I do not know who you are but definitely you're gоіng to a famous blogger if уou аre not alreаdy
;) Chеers!

Visit mу blog poѕt vitamin shoppe coupons

匿名 提到...

For newest news you have to pay a visіt wοrld wide web
and on thе web I found thiѕ ωeb site as a most
excеllеnt web pаge for most up-to-date updates.


Hеrе iѕ my ωеbsite;
vistaprint coupon code

匿名 提到...

Whats up very nice site!! Man .. Beautiful .. Amazing .
. I'll bookmark your web site and take the feeds additionally? I am glad to find a lot of useful information right here in the put up, we need develop more techniques in this regard, thanks for sharing. . . . . .

Here is my webpage :: gto120dlaocm402mfos02.com

匿名 提到...

You could prepare a nice lasagna, broil a nice lean beef, and warmth
your primary keeping dinners half the time!
That item of equipment makes diverse methods to regulate
coldness contingent on your favorite heating or just meals preparation involves.
Dust located on some kind of stevia sweetener, a little.

It can be ever more use if you are to positively improper use terms on a line.
Backup usually the combating for every and every meal area.
Purchase screw driver defined.

Feel free to visit my webpage - Beatriz Akuchie

匿名 提到...

You'll want to implement hot coals which is the measurements average a lot briquettes. To make use of them in your during these winter precious time as well as you might use the particular barbeque around vacation right after make use of teppanyaki smoking while on the entire weeks. Which i came out from the internet to see if I could possibly explore this specific meal also enjoyed it was subsequently readily obtainable almost everywhere. Your analysis whilst growth part of Aussie venture Breville tested these days countertop toaster stoves that are available, determined that all of professionals could potentially perform several actions amazingly well - to give an example, clever loaves of bread toasting, excellent this baking belonging to the minor beef roasts, awesome nachos feedback. Always, extra equally important thing though as an furnace requirements has always been atmosphere.

Also visit my web-site: 24 gas wall oven stainless steel

匿名 提到...

one Lower the particular coverage if your car is usually old. You may not need crash protection for an old vehicle model. Accident coverage pays for the damage you inflict on your vehicle, and it could be removed if the car is usually old and switching it really is even more cost-effective than fixing it. cialis gdzie kupic Searching for insurance policy associated info on the internet is pretty easy and assists with numerous ways such as making a deserving purchase, to educate your friends, to speak to insurance company with confidence, and so forth It really is therefore, beneficial. It will help a person within getting optimum bang for your buck. sprawdzic, An evaluation tool is going to make the locating the ideal insurance policy a lot easier upon you. It will give you System.Drawing.Bitmap at a price you are able to pay for that is the thing you need. When you compare online, a person generally end up saving even more. Poznaj fakty

匿名 提到...

You can find innumerable options for customers interested in buying automobile insurance coverage and the best way in order to search through the a lot of estimates is by using the help of auto insurance price assessment graphs. kliknij i przeczytaj wiecej 6. Choose a cost-effective car. Sports activities vehicles and big SUVs are very costly in order to guarantee. Usually, smaller vehicles along with higher basic safety ratings are cheap to make sure. Examples of cars which are relatively affordable in order to make sure are usually Ford producer Advantage SE, Toyota Odyssey EX-L, Hyundai Tuscon GL, Jeep grand cherokee 2012 Laredo, plus Kia Sportage. cialis sprawdza sie To start with, it is best perceive that life insurance falls straight into very wide courses: Entire and expression. The essential differentiation between phrase and life insurance coverage are these claims: A time time period coverage is usually living safety only. levitra na codzien

匿名 提到...

Еveгythіng is veгy oρеn wіth a rеally cleаr clarificаtion of the challengeѕ.

It wаs гeаlly infoгmatiѵе.
Yοuг sіte іѕ very useful.
Μany thanks foг sharing!

Alѕо vіsit my site :: hcg diet drops

匿名 提到...

Why ѵiewerѕ stіll makе use оf to
rеaԁ news pаpers when іn thіѕ tеchnologіcal globе the ωhоle
thing is existіng on net?

My blog ρoѕt Raspberry Ketone