Jumat, 21 Mei 2010

Taking a closer look at the Publisher Query Language and the future

I get this article from GoogleBlog. This is the article :

Recently we launched v201004, and with that introduced the new Statement object which gives support for one of our top requested features - bind variables. In this blog post, we will take a closer look at the Publisher Query Language (PQL), Statements with bind variables, and what we have in store for the future.

Publisher Query Language


PQL plays a very significant role in the DFP API by providing the developer with a robust way of filtering which objects should be retrieved or modified before the request is completed. In other words, if you would like to retrieve only
orders which are in the draft state, you could take one of two approaches. You could fetch all orders within your network and filter them one by one or instruct the server to only fetch orders in the draft state before returning all results. By doing the latter, the DFP API allows developers to create smaller and more direct requests, and, in turn, increases the efficiency of their code.

PQL has a very similar syntax to SQL, but does not include keywords such as
SELECT or FROM; they are implied by the method which uses the PQL statement. The following piece of code constructs a Statement capable of fetching orders in the draft state and retrieves those orders:

// Create a statement to only select orders in the // 'DRAFT' state.
Statement filterStatement = new Statement();
filterStatement.setQuery("WHERE status = 'DRAFT' LIMIT 500");
OrderPage orderPage = orderService.getOrdersByStatemet(filterStatement);

The documentation included for each "get*ByStatment" (e.g. getOrdersByStatement) method indicates which PQL fields map to which object properties.

Paging

The result for "get*ByStatment" calls are pages specific to the service; i.e. an OrderPage is returned by getOrdersByStatement. The limit for the number of objects that can be fetched for a single PQL request, and in a single Page, is 500. Because of this, you should always include LIMIT 500 in your statement. However, if you would like to fetch more than 500 objects, you will need to page through the results by including an OFFSET <#> in your statement as well. To page through orders in groups of 500, for example, in your statement, you would include LIMIT 500 as well as an OFFSET of an interval of 500.

This can be represented by the following code:

// Sets defaults for page and filter.
OrderPage page = new OrderPage();
Statement filterStatement = new Statement();
int offset = 0;

do {
// Create a statement to get all orders.
filterStatement.setQuery( "WHERE status = 'DRAFT' LIMIT 500 OFFSET " + offset);

// Get orders by statement.
page = orderService.getOrdersByStatement(filterStatement);

if (page.getResults() != null) {
int i = page.getStartIndex();
for (Order order : page.getResults()) {
System.out.println(i + ") Order with ID \""
+ order.getId() + "\", name \"" + order.getName()
+ "\", and advertiser ID \"" + order.getAdvertiserId()
+ "\" was found.");
i++;
}
}
offset += 500;
} while (offset <>

The loop will end when there are no pages left, i.e. the offset is greater than or equal to the to the total result set size.

Bind variables

Bind variables were recently introduced to allow for reusing of the same template PQL statement combined with varying parameters. To change the PQL statement above to differ which status is being selected, 'DRAFT' is changed to the bind variable status, represented by :status. Note that bind variables can be any name - not just the name of their property. We chose :status here for simplicity.

// Create a statement to only select orders in the state // bound to status.
Statement filterStatement = new Statement();
filterStatement.setQuery("WHERE status = :status LIMIT 500");

To bind to :status, you will need to create a parameter map with a String_ParamMapEntry coupling :status with a StringParam. Note that ":" is not included in the bind variable name in the parameter map.

// Create the string parameter.
StringParam stringParam = new StringParam();

// Create bind parameters map.
String_ParamMapEntry[] paramMap = new String_ParamMapEntry[] {
new String_ParamMapEntry("status", stringParam)
};

filterStatement.setParams(paramMap);

Before you make the call to getOrdersByStatement, set the stringParam value to the specific status.

stringParam.setValue("DRAFT");

In this case, because status was bound to a variable declared before the parameter map, you can set the variables value at any time.

The first iteration of the while loop above would then produce the following XML snippet:

...

WHERE status = :status LIMIT 500 OFFSET 0
status
xmlns:ns2= "https://www.google.com/apis/ads/publisher/v201004" xsi:type="ns2:StringParam">
DRAFT
...

Planned features and production

The release of v201004 was the culmination of the last step before we can begin rolling out access to the production API and we will have more information about signing up to for production use in the coming weeks. We are still hard at work on the forecasting and reporting service and will have some news about those in the following weeks as well.

We appreciate all of the great feedback we've been receiving on the forum, both on the API and the client libraries, and we''ll continue to incorporate it as we continue development

Share This

I get this article from GoogleBlog. This is the article :

Recently we launched v201004, and with that introduced the new Statement object which gives support for one of our top requested features - bind variables. In this blog post, we will take a closer look at the Publisher Query Language (PQL), Statements with bind variables, and what we have in store for the future.

Publisher Query Language


PQL plays a very significant role in the DFP API by providing the developer with a robust way of filtering which objects should be retrieved or modified before the request is completed. In other words, if you would like to retrieve only
orders which are in the draft state, you could take one of two approaches. You could fetch all orders within your network and filter them one by one or instruct the server to only fetch orders in the draft state before returning all results. By doing the latter, the DFP API allows developers to create smaller and more direct requests, and, in turn, increases the efficiency of their code.

PQL has a very similar syntax to SQL, but does not include keywords such as
SELECT or FROM; they are implied by the method which uses the PQL statement. The following piece of code constructs a Statement capable of fetching orders in the draft state and retrieves those orders:

// Create a statement to only select orders in the // 'DRAFT' state.
Statement filterStatement = new Statement();
filterStatement.setQuery("WHERE status = 'DRAFT' LIMIT 500");
OrderPage orderPage = orderService.getOrdersByStatemet(filterStatement);

The documentation included for each "get*ByStatment" (e.g. getOrdersByStatement) method indicates which PQL fields map to which object properties.

Paging

The result for "get*ByStatment" calls are pages specific to the service; i.e. an OrderPage is returned by getOrdersByStatement. The limit for the number of objects that can be fetched for a single PQL request, and in a single Page, is 500. Because of this, you should always include LIMIT 500 in your statement. However, if you would like to fetch more than 500 objects, you will need to page through the results by including an OFFSET <#> in your statement as well. To page through orders in groups of 500, for example, in your statement, you would include LIMIT 500 as well as an OFFSET of an interval of 500.

This can be represented by the following code:

// Sets defaults for page and filter.
OrderPage page = new OrderPage();
Statement filterStatement = new Statement();
int offset = 0;

do {
// Create a statement to get all orders.
filterStatement.setQuery( "WHERE status = 'DRAFT' LIMIT 500 OFFSET " + offset);

// Get orders by statement.
page = orderService.getOrdersByStatement(filterStatement);

if (page.getResults() != null) {
int i = page.getStartIndex();
for (Order order : page.getResults()) {
System.out.println(i + ") Order with ID \""
+ order.getId() + "\", name \"" + order.getName()
+ "\", and advertiser ID \"" + order.getAdvertiserId()
+ "\" was found.");
i++;
}
}
offset += 500;
} while (offset <>

The loop will end when there are no pages left, i.e. the offset is greater than or equal to the to the total result set size.

Bind variables

Bind variables were recently introduced to allow for reusing of the same template PQL statement combined with varying parameters. To change the PQL statement above to differ which status is being selected, 'DRAFT' is changed to the bind variable status, represented by :status. Note that bind variables can be any name - not just the name of their property. We chose :status here for simplicity.

// Create a statement to only select orders in the state // bound to status.
Statement filterStatement = new Statement();
filterStatement.setQuery("WHERE status = :status LIMIT 500");

To bind to :status, you will need to create a parameter map with a String_ParamMapEntry coupling :status with a StringParam. Note that ":" is not included in the bind variable name in the parameter map.

// Create the string parameter.
StringParam stringParam = new StringParam();

// Create bind parameters map.
String_ParamMapEntry[] paramMap = new String_ParamMapEntry[] {
new String_ParamMapEntry("status", stringParam)
};

filterStatement.setParams(paramMap);

Before you make the call to getOrdersByStatement, set the stringParam value to the specific status.

stringParam.setValue("DRAFT");

In this case, because status was bound to a variable declared before the parameter map, you can set the variables value at any time.

The first iteration of the while loop above would then produce the following XML snippet:

...

WHERE status = :status LIMIT 500 OFFSET 0
status
xmlns:ns2= "https://www.google.com/apis/ads/publisher/v201004" xsi:type="ns2:StringParam">
DRAFT
...

Planned features and production

The release of v201004 was the culmination of the last step before we can begin rolling out access to the production API and we will have more information about signing up to for production use in the coming weeks. We are still hard at work on the forecasting and reporting service and will have some news about those in the following weeks as well.

We appreciate all of the great feedback we've been receiving on the forum, both on the API and the client libraries, and we''ll continue to incorporate it as we continue development
»»  BACA SELENGKAPNYA...

By HAMMAM MAHRUS with No comments

ESET NOD32 Free Download

Hanya nambahin aja, buat kalian semua yang ingin download ESET NOD32! Sebelumnya ada kok di postingan saya, tapi berhubung dengan kelengkapan Software, nih ada ESET nya plus Key buat UPDATE-NYA.

ESET NOD32® Antivirus and its powerful ThreatSense® engine, ESET Smart Security provides antispyware, antispam and customized firewall features. Utilizing ThreatSense — the industry’s most advanced heuristics — the window of vulnerability between virus outbreak and signature update is reduced.

ESET NOD32 with The key advantage of this approach is that individual protection modules are able to communicate together seamlessly, to create unparalleled synergy to improve the efficiency and effectiveness of protection. Moreover, the integrated architecture guarantees optimal utilization of system resources, so ESET Smart Security continues ESET’s well know reputation for providing rock solid security in a small footprint that will not slow down an individual’s computer.
Yang terbaru dari ESET NOD32 4.2.35 Business Edition
* Fix: Issues with HTTP scanner with longer domain namesmag glass 10x10 NOD32 Smart Security Business Edition 4.2.35 ( support for length of domain name to 256 characters)
* Fix: Issues after PC restart when firewall system integration is “only scan application protocols”
* Fix: When ESS installed with disabled FW, dialog about trusted networks not displayed
* Fix: Installation of ESS using Remote Desktop; after selecting firewall’s “Interactive mode”, the session will interrupt
* Fix: Long file name makes trouble with logs in “document protection enabled” mode
* Fix: Scan profile settings not retained after reinstallation
* Fix: Open ESI log of EAV doesn’t work on Microsoft Windowsmag glass 10x10 NOD32 Smart Security Business Edition 4.2.35 NT4.0
* Fix: Not possible to save EAV’s ESI log and export service script on Microsoft Windows NT4.0
* Fix: Wrong settings imported from ESS configuration cause problems in EAV
* Fix: All ESI logs are lost after upgrade from V4 to V4.2
* Fix: Impossible to delete the on-demand Scan Log in ESS
* Fix: Fixed ceasing of scan tasks when logged in as standard user
* Fix: Minor issues with Trusted zone conversion from older to newer version
* Fix: Unification of behavior when disabling some parts of EAV/ESS/EMS in the main settings window
* Fix: Possible to delete log of a running on-demand scan
* Fix: X64 Vista + win7: UAC appears when opening ESI log from ESS/EAV GUI
* Fix: Minor Thunderbird and Outlook issues.

Download sekarang Antivirus terbaik dunia ini!

NOD32 Business Edition 4.2.35 32-Bit (x86) download
NOD32 Business Edition 4.2.35 64-Bit (x64) download

Update key NOD32 :
  • Username: EAV-28508687 Password: d7mctj6b6a
  • Username: EAV-28508691 Password: a84jm2fdmx
  • Username: EAV-28508711 Password: f2v84nafs8
  • Username: EAV-28508715 Password: d3dfu4kkbx
  • Username: EAV-28508724 Password: u4sd63tsu7
  • Username: EAV-28508670 Password: jsre4j2k3m
  • Username: EAV-28473790 Password: dhfmk4nu7u
  • Username: EAV-28278199 Password: mjams5pb55
  • Username: EAV-28398959 Password: 3xxf3emmn2
  • Username: EAV-28508648 Password: 3tnkn47b5x
  • Username: EAV-28508657 Password: hu5fx2ehn6
  • Username: EAV-28508661 Password: v85amn4vrt
  • Username: EAV-28508664 Password: f4bbeadth5
Thanks for Ardian Key UPDATE - NYA soalnya kalau gak ada key-nya pasti udah ku HAPUS ESET-NYA! Jadi database virus-nya tambah banyak!

Share This

Hanya nambahin aja, buat kalian semua yang ingin download ESET NOD32! Sebelumnya ada kok di postingan saya, tapi berhubung dengan kelengkapan Software, nih ada ESET nya plus Key buat UPDATE-NYA.

ESET NOD32® Antivirus and its powerful ThreatSense® engine, ESET Smart Security provides antispyware, antispam and customized firewall features. Utilizing ThreatSense — the industry’s most advanced heuristics — the window of vulnerability between virus outbreak and signature update is reduced.

ESET NOD32 with The key advantage of this approach is that individual protection modules are able to communicate together seamlessly, to create unparalleled synergy to improve the efficiency and effectiveness of protection. Moreover, the integrated architecture guarantees optimal utilization of system resources, so ESET Smart Security continues ESET’s well know reputation for providing rock solid security in a small footprint that will not slow down an individual’s computer.
Yang terbaru dari ESET NOD32 4.2.35 Business Edition
* Fix: Issues with HTTP scanner with longer domain namesmag glass 10x10 NOD32 Smart Security Business Edition 4.2.35 ( support for length of domain name to 256 characters)
* Fix: Issues after PC restart when firewall system integration is “only scan application protocols”
* Fix: When ESS installed with disabled FW, dialog about trusted networks not displayed
* Fix: Installation of ESS using Remote Desktop; after selecting firewall’s “Interactive mode”, the session will interrupt
* Fix: Long file name makes trouble with logs in “document protection enabled” mode
* Fix: Scan profile settings not retained after reinstallation
* Fix: Open ESI log of EAV doesn’t work on Microsoft Windowsmag glass 10x10 NOD32 Smart Security Business Edition 4.2.35 NT4.0
* Fix: Not possible to save EAV’s ESI log and export service script on Microsoft Windows NT4.0
* Fix: Wrong settings imported from ESS configuration cause problems in EAV
* Fix: All ESI logs are lost after upgrade from V4 to V4.2
* Fix: Impossible to delete the on-demand Scan Log in ESS
* Fix: Fixed ceasing of scan tasks when logged in as standard user
* Fix: Minor issues with Trusted zone conversion from older to newer version
* Fix: Unification of behavior when disabling some parts of EAV/ESS/EMS in the main settings window
* Fix: Possible to delete log of a running on-demand scan
* Fix: X64 Vista + win7: UAC appears when opening ESI log from ESS/EAV GUI
* Fix: Minor Thunderbird and Outlook issues.

Download sekarang Antivirus terbaik dunia ini!

NOD32 Business Edition 4.2.35 32-Bit (x86) download
NOD32 Business Edition 4.2.35 64-Bit (x64) download

Update key NOD32 :
  • Username: EAV-28508687 Password: d7mctj6b6a
  • Username: EAV-28508691 Password: a84jm2fdmx
  • Username: EAV-28508711 Password: f2v84nafs8
  • Username: EAV-28508715 Password: d3dfu4kkbx
  • Username: EAV-28508724 Password: u4sd63tsu7
  • Username: EAV-28508670 Password: jsre4j2k3m
  • Username: EAV-28473790 Password: dhfmk4nu7u
  • Username: EAV-28278199 Password: mjams5pb55
  • Username: EAV-28398959 Password: 3xxf3emmn2
  • Username: EAV-28508648 Password: 3tnkn47b5x
  • Username: EAV-28508657 Password: hu5fx2ehn6
  • Username: EAV-28508661 Password: v85amn4vrt
  • Username: EAV-28508664 Password: f4bbeadth5
Thanks for Ardian Key UPDATE - NYA soalnya kalau gak ada key-nya pasti udah ku HAPUS ESET-NYA! Jadi database virus-nya tambah banyak!

»»  BACA SELENGKAPNYA...

By HAMMAM MAHRUS with No comments

Jumat, 30 April 2010

Key Smadav Pro Rev. 8.1

Photobucket

Cara nya:
1. Buka Smadav 2010 Rev.8.1 anda.
Bagi yang belum memiliki instal Smadav 2010 Rev.8.1 disini
2. Klik Setting
- Pada kotak nama masukkan :<)[/code]
- Key: dikosongkan saja
- Klik Register
Fungsinya adalah untuk menghilangkan tanda bajakan.
Lihat langkah No. 1 dibawah ini
key smadav 8.1

3. Lihat langkah No.2
- Pada kotak nama masukkan : Yuda Pasna
- Key : 081310338782
- Klik : Register

Share This

Photobucket

Cara nya:
1. Buka Smadav 2010 Rev.8.1 anda.
Bagi yang belum memiliki instal Smadav 2010 Rev.8.1 disini
2. Klik Setting
- Pada kotak nama masukkan :<)[/code]
- Key: dikosongkan saja
- Klik Register
Fungsinya adalah untuk menghilangkan tanda bajakan.
Lihat langkah No. 1 dibawah ini
key smadav 8.1

3. Lihat langkah No.2
- Pada kotak nama masukkan : Yuda Pasna
- Key : 081310338782
- Klik : Register
»»  BACA SELENGKAPNYA...

By HAMMAM MAHRUS with No comments

Senin, 26 April 2010

Mengubah Windows XP Bajakan Ke Asli

Windows XP, siapa sih yang gak kenal namanya? Sekalipun Anda pengguna linux pasti mengenal apa itu Windows XP, terutama nama besar Windows. Ya, Windows adalah operating system pabrikan Microsoft berbasis grafis terbesar dan paling banyak dipaki diseluruh dunia.
Sedang ‘XP’ Sendiri adalah singkatan dari kata ‘Experience’. Yang merupakan generasi penerus dari berbagai Windows yang sudah hadir terlebih dahulu. Seperti Windows 2000 Professional, Windows ME, dsb.
Disini saya tidak akan membahas lebih lengkap dan jelas apa itu Windows XP. Sesuai judul saya akan sedikit mengulas tentang bagaimana hacking pada windows xp. Info lengkap tentang Windows XP dan seluk beluknya bisa dibaca di id.Wikipedia.org tentang Windows XP
Kenapa mesti hack Windows XP?
Tidak lain karena menggunakan Windows bajakan akan banyak kekurangan. Seperti beberapa fitur yang tampil tidak maksimal, Windows lemah. Dan yang jelas bakal kena razia kepolisian karena menggunakan Windows bajakan, nah lo. Semoga tulisan ini bermanfaat bagi mereka yang ingin melgelkan Windows
cara hack windows xp
tampilan windows xp
Untuk melakukan hacking guna melegalkan OS Windows XP ini, butuh lisensi VLK Resmi yang dibeli secara legal pula. Namun semua ini dapat dilakukan dalam konteks cracking atau mengunakan serial number (SN) VLK yang beredar di Internet.
Cara hack Windows XP, agar bajakan jadi licenced
  1. Buka Microsoft Genuine dan download Tool Windows Genuine Advantage.
  2. Jalankan aplikasi legitcheck.hta yang telah kita download tadi.
  3. Setelah installasi beres, jika ternyata PC kita terdeteksi sebagai OS bajakan, lanjutkan ke tahap berikutnya.
  4. Selanjutnya, kita dapat mengunakan Tools untuk mengganti SN Windows XP kita dengan SN VLK yang telah kita miliki mengunakan Tool Key Finder, KeyReader, XP Key Reader, setting Registry OOBE manual, dan lain-lain. Download Win Key Finder disini atau download XP Key Reader di sini.
  5. Kita dapat melakukan pengecekan hasil pengantian SN VLK apa apakah sudah berhasil ataukah tidak mengunakan Microsoft Genuine Advantage Diagnostic Tool yang bisa didownload Di sini
  6. Setelah di cek dengan MGADT sudah tampak GENUINE maka kita lanjutkan dengan menjalankan lagi Tool LEGITCHECK.HTA dan hasilnya… OS Windows XP kita telah Valid.

Share This

Windows XP, siapa sih yang gak kenal namanya? Sekalipun Anda pengguna linux pasti mengenal apa itu Windows XP, terutama nama besar Windows. Ya, Windows adalah operating system pabrikan Microsoft berbasis grafis terbesar dan paling banyak dipaki diseluruh dunia.
Sedang ‘XP’ Sendiri adalah singkatan dari kata ‘Experience’. Yang merupakan generasi penerus dari berbagai Windows yang sudah hadir terlebih dahulu. Seperti Windows 2000 Professional, Windows ME, dsb.
Disini saya tidak akan membahas lebih lengkap dan jelas apa itu Windows XP. Sesuai judul saya akan sedikit mengulas tentang bagaimana hacking pada windows xp. Info lengkap tentang Windows XP dan seluk beluknya bisa dibaca di id.Wikipedia.org tentang Windows XP
Kenapa mesti hack Windows XP?
Tidak lain karena menggunakan Windows bajakan akan banyak kekurangan. Seperti beberapa fitur yang tampil tidak maksimal, Windows lemah. Dan yang jelas bakal kena razia kepolisian karena menggunakan Windows bajakan, nah lo. Semoga tulisan ini bermanfaat bagi mereka yang ingin melgelkan Windows
cara hack windows xp
tampilan windows xp
Untuk melakukan hacking guna melegalkan OS Windows XP ini, butuh lisensi VLK Resmi yang dibeli secara legal pula. Namun semua ini dapat dilakukan dalam konteks cracking atau mengunakan serial number (SN) VLK yang beredar di Internet.
Cara hack Windows XP, agar bajakan jadi licenced
  1. Buka Microsoft Genuine dan download Tool Windows Genuine Advantage.
  2. Jalankan aplikasi legitcheck.hta yang telah kita download tadi.
  3. Setelah installasi beres, jika ternyata PC kita terdeteksi sebagai OS bajakan, lanjutkan ke tahap berikutnya.
  4. Selanjutnya, kita dapat mengunakan Tools untuk mengganti SN Windows XP kita dengan SN VLK yang telah kita miliki mengunakan Tool Key Finder, KeyReader, XP Key Reader, setting Registry OOBE manual, dan lain-lain. Download Win Key Finder disini atau download XP Key Reader di sini.
  5. Kita dapat melakukan pengecekan hasil pengantian SN VLK apa apakah sudah berhasil ataukah tidak mengunakan Microsoft Genuine Advantage Diagnostic Tool yang bisa didownload Di sini
  6. Setelah di cek dengan MGADT sudah tampak GENUINE maka kita lanjutkan dengan menjalankan lagi Tool LEGITCHECK.HTA dan hasilnya… OS Windows XP kita telah Valid.
»»  BACA SELENGKAPNYA...

By HAMMAM MAHRUS with No comments

Tips Tricks Harvest Moon Friend Of Mineral Town

Modal Besar
Nih ada cara dapetin uang dengan cepet saat new game (modal gede saat baru pertama kali mulai game).
Hanya bisa dilakukan saat tanggal 2-5 Spring. Di tanggal segitu kan ada acara khusus yang bernama Harvest Goddess New Year's Game Show.
Itu ada di channel kiri, kalo ga ada pencet kiri lagi sampai ketemu. Nih gambarnya


Ini adalah daftar hadiahnya, menang:
2 kali : Herb grass
3-4 kali : Buckwheat flour
3-9 kali : Rice Cake
10-14 kali : Relax Tea Leaves
15-19 kali : Sunblock
20-25 kali : Skin Lotion
26-29 kali : Facial Pack
30-39 kali : Perfume
40-49 kali : Dress
50-59 kali : Golden Lumber
60-69 kali : Fossil of Fish
70-79 kali : Pirate treasure
80-99 kali : botol resep
100 kali : buku Guess if the number is small or large




Nah seandainya kamu memainkan game ini di komputer alias pake emulator gba alias VisualBoyAdvance... gunakan trik CTRL+S (save game di mana saja dan kapan saja) dan CTRL+L (load game di mana saja dan kapan saja).





Usahkan kamu menang sampai 60-79 kali. Kenapa begitu? karena Fish Fossil bila dijual harganya 5000G dan Pirate Treasure harganya 10000G. Waow~! menakjubkan bukan!?
Acara ini setiap tahunnya diadakan di channel sebelah kiri dari tanggal 2-5 spring, dan seharinya kamu bisa menonton sebanyak 3 kali. Coba kalo selama 4 hari itu kamu mengikuti acara itu terus dan selalu menjual Pirate Treasure, maka kamu sudah dapat mengumpulkan setidaknya 120000G!!





Hebat bukan!.
Cara memenangkan game ini gampang sekali, setiap kali kamu menjawab benar selalu CTRL+S dan bila kamu salah jawab tinggal CTRL+L.
Saat kamu nonton acara di tanganmu kamu tidak memegang benda apapun. Bila membawanya kamu tidak akan mendapatkan hadiahnya. Coba aja liat gambar ini.




Letak Regular Power Berries

- Gali di ladangmu
- Lempar telur di H.Goddess Spring untuk beberapa hari
- Menangkan pacuan kuda, dan pastikan kamu tidak memiliki apapun ditanganmu
- Menangkan kontes Fribee
- Gunakan Mystrille pole untuk memancing di dermaga
- Saluran belanja di TV dijual 10000G jika kamu sudah membeli semua yang mereka jual
- Ketika danau Mother Hill membeku pergi kebelakang gua dan tekan A
- Gua di level 19 Winter/Lake Mine
- Gua di level 100 di spring mine

Daftar jenis dan cara memperoleh telur
- Kecil : 0-3 hati
- Sedang : 4-7 hati
- Besar : 8-10 hati
- Gold : 8-10 hati+menang sumo ayam
- P : 8-10 hati+menang sumo ayam dan jumlah jam bermain sebanyak 600 jam

Profil Para Gadis dan lokasinya

Elly
Ultah : 16 Spring
Rival : Doctor
Hadiah yang disukai : Stone Tablet, Strawberry, Flower, Akseosris (perhiasan), Hot Milk
Hadiah yang kurang disukai : Toast, Boiled Egg, Raisin Bread
Lokasi :
- 9.00 AM-7.00 PM di Mineral Clinic
- 9.30 AM-1.00 PM berada di rumah saat Clinic tutup maupun specail event
- 1.30 PM-4.00 PM di supermarket saat clinic tutup
- 4.30 PM-7.00 PM ada di rumah (Ellen's House) saat clinic tutup atau Specail event.

Mary
Ultah : 20 Winter
Rival : Gray
Hadiah yang disukai : Raisin Bread, Mushroom, Poisonus Mushroom, Bodigizer, Herb Grass, Bambo Shot, Mushroom Rice, Tomato Juice, Truffle rice, Relax Tea Leaves
Hadiah yang tidak disukai : sashimi, boiled egg, hot milk
Lokasi :
- 10.00 AM-6.00 PM ada di Library
- 7.30 AM-10.00 AM pada hari minggu ada di Mother's Hill kecuali hujan
- 1.00 PM-4.00 PM ada di dalam supermarket jika library tutup

Karen
Ultah : 15 Fall
Rival : Rick
Hadiah yang disukai : French Fries, Truffle, Wine, sashimi, popcorn, diamond, scrambled egg, pickled turnip, blue magic grass, ruby, topaz, diamond, emerlad
Hadiah yang nggak disukai : Chocolate Cookies, chocolate, raisin bread
Lokasi :
- 8.00 AM-10.00 AM di depan supermarket (jika hujan berada di dalam supermarket)
- 10.00 AM-1.00 PM ada di dalam rumah (tak bisa ditemui)
- 1.00 PM-6.00 PM supermarket
- 7.30 PM-10.00 PM Mineral Beach (kecuali hujan)
- 8.00 PM-10.00 PM sunday dan tuesday ada di Inn
- 1.30 PM-4.00 PM Tuesday ada di Hotspring (tak hujan)
- 1.30 PM-4.00 PM Tuesday di dalam rumah Gotz saat hujan

Ann
Ultah : 17 Summer
Rival : Cliff
Hadiah yang disukai : Rice Cake, Spa-boiled Egg, Boiled Egg, Chocolate, Salad, Sushi, Sandwiches, Mushroom rice, Stew, Truffle Rice, Ice, Tempura noodles, omelete, Grilled fish, Strawberries milk, semua jenis makan dari sayuran seperti Happy Eggplant, Chocolate cookies, Ruby, Topaz, Emerlad, Diamond
Hadiah tak disukai : makanan dari ikan seperti Grilled fish, Sashimi
Lokasi :
- 7.00 PM-10.00 AM Hot Spring (kecuali hujan)
- 10.00 AM-1.00 PM di Inn lantai 2
- 1.00 PM-7.00PM di Inn lantai 1
- 7.00PM-10.00 PM di Inn lantai 1

Popuri
Ultah : 3 Summer
Rival : Kai
Hadiah yang disukai : Accessories, Apple Jam, Apple Pie, Ice Cream, Honey, Cookies, Boiled Egg, Diamond, Omelete, Ruby, Tpoaz, Emerald
Hadiah yang nggak/kurang disukai : Herb grass, sashimi, fish, milk
Lokasi :
- 7.30 AM-10.00 AM Hotspring kecuali hujan
- 10.00 AM-6.00 PM dirumah
- Sunday 9.30 AM- 1.00 PM gereja kecuali Summer
- Sunday 8.30 AM-10.00 AM Mineral Beach saat Summer kecuali hujan
- Sunday 1.30 AM-4.00 PM Rose Square jika hujan di gereja

Ultah para warga:
- Cliff : 6 Summer (10 Summer)
- Doctor : 19 Fall (25 Fall)
- Gourmet Judge : 21 Summer (20 Summer)
- Kai : 22 Summer (17 Summer)
- Kappa : 8 Spring (9 Spring)
- Rick : 27 Fall (23 Fall)
- Won : 19 Winter (21 Winter)

Sekian dari saya, Untuk Cheatnya bisa dilihat di blognya YANDI atau terus update blog ini! Kapan kapan saya akan memberikan cheatnya! Thanks!

Share This

Modal Besar
Nih ada cara dapetin uang dengan cepet saat new game (modal gede saat baru pertama kali mulai game).
Hanya bisa dilakukan saat tanggal 2-5 Spring. Di tanggal segitu kan ada acara khusus yang bernama Harvest Goddess New Year's Game Show.
Itu ada di channel kiri, kalo ga ada pencet kiri lagi sampai ketemu. Nih gambarnya


Ini adalah daftar hadiahnya, menang:
2 kali : Herb grass
3-4 kali : Buckwheat flour
3-9 kali : Rice Cake
10-14 kali : Relax Tea Leaves
15-19 kali : Sunblock
20-25 kali : Skin Lotion
26-29 kali : Facial Pack
30-39 kali : Perfume
40-49 kali : Dress
50-59 kali : Golden Lumber
60-69 kali : Fossil of Fish
70-79 kali : Pirate treasure
80-99 kali : botol resep
100 kali : buku Guess if the number is small or large




Nah seandainya kamu memainkan game ini di komputer alias pake emulator gba alias VisualBoyAdvance... gunakan trik CTRL+S (save game di mana saja dan kapan saja) dan CTRL+L (load game di mana saja dan kapan saja).





Usahkan kamu menang sampai 60-79 kali. Kenapa begitu? karena Fish Fossil bila dijual harganya 5000G dan Pirate Treasure harganya 10000G. Waow~! menakjubkan bukan!?
Acara ini setiap tahunnya diadakan di channel sebelah kiri dari tanggal 2-5 spring, dan seharinya kamu bisa menonton sebanyak 3 kali. Coba kalo selama 4 hari itu kamu mengikuti acara itu terus dan selalu menjual Pirate Treasure, maka kamu sudah dapat mengumpulkan setidaknya 120000G!!





Hebat bukan!.
Cara memenangkan game ini gampang sekali, setiap kali kamu menjawab benar selalu CTRL+S dan bila kamu salah jawab tinggal CTRL+L.
Saat kamu nonton acara di tanganmu kamu tidak memegang benda apapun. Bila membawanya kamu tidak akan mendapatkan hadiahnya. Coba aja liat gambar ini.




Letak Regular Power Berries

- Gali di ladangmu
- Lempar telur di H.Goddess Spring untuk beberapa hari
- Menangkan pacuan kuda, dan pastikan kamu tidak memiliki apapun ditanganmu
- Menangkan kontes Fribee
- Gunakan Mystrille pole untuk memancing di dermaga
- Saluran belanja di TV dijual 10000G jika kamu sudah membeli semua yang mereka jual
- Ketika danau Mother Hill membeku pergi kebelakang gua dan tekan A
- Gua di level 19 Winter/Lake Mine
- Gua di level 100 di spring mine

Daftar jenis dan cara memperoleh telur
- Kecil : 0-3 hati
- Sedang : 4-7 hati
- Besar : 8-10 hati
- Gold : 8-10 hati+menang sumo ayam
- P : 8-10 hati+menang sumo ayam dan jumlah jam bermain sebanyak 600 jam

Profil Para Gadis dan lokasinya

Elly
Ultah : 16 Spring
Rival : Doctor
Hadiah yang disukai : Stone Tablet, Strawberry, Flower, Akseosris (perhiasan), Hot Milk
Hadiah yang kurang disukai : Toast, Boiled Egg, Raisin Bread
Lokasi :
- 9.00 AM-7.00 PM di Mineral Clinic
- 9.30 AM-1.00 PM berada di rumah saat Clinic tutup maupun specail event
- 1.30 PM-4.00 PM di supermarket saat clinic tutup
- 4.30 PM-7.00 PM ada di rumah (Ellen's House) saat clinic tutup atau Specail event.

Mary
Ultah : 20 Winter
Rival : Gray
Hadiah yang disukai : Raisin Bread, Mushroom, Poisonus Mushroom, Bodigizer, Herb Grass, Bambo Shot, Mushroom Rice, Tomato Juice, Truffle rice, Relax Tea Leaves
Hadiah yang tidak disukai : sashimi, boiled egg, hot milk
Lokasi :
- 10.00 AM-6.00 PM ada di Library
- 7.30 AM-10.00 AM pada hari minggu ada di Mother's Hill kecuali hujan
- 1.00 PM-4.00 PM ada di dalam supermarket jika library tutup

Karen
Ultah : 15 Fall
Rival : Rick
Hadiah yang disukai : French Fries, Truffle, Wine, sashimi, popcorn, diamond, scrambled egg, pickled turnip, blue magic grass, ruby, topaz, diamond, emerlad
Hadiah yang nggak disukai : Chocolate Cookies, chocolate, raisin bread
Lokasi :
- 8.00 AM-10.00 AM di depan supermarket (jika hujan berada di dalam supermarket)
- 10.00 AM-1.00 PM ada di dalam rumah (tak bisa ditemui)
- 1.00 PM-6.00 PM supermarket
- 7.30 PM-10.00 PM Mineral Beach (kecuali hujan)
- 8.00 PM-10.00 PM sunday dan tuesday ada di Inn
- 1.30 PM-4.00 PM Tuesday ada di Hotspring (tak hujan)
- 1.30 PM-4.00 PM Tuesday di dalam rumah Gotz saat hujan

Ann
Ultah : 17 Summer
Rival : Cliff
Hadiah yang disukai : Rice Cake, Spa-boiled Egg, Boiled Egg, Chocolate, Salad, Sushi, Sandwiches, Mushroom rice, Stew, Truffle Rice, Ice, Tempura noodles, omelete, Grilled fish, Strawberries milk, semua jenis makan dari sayuran seperti Happy Eggplant, Chocolate cookies, Ruby, Topaz, Emerlad, Diamond
Hadiah tak disukai : makanan dari ikan seperti Grilled fish, Sashimi
Lokasi :
- 7.00 PM-10.00 AM Hot Spring (kecuali hujan)
- 10.00 AM-1.00 PM di Inn lantai 2
- 1.00 PM-7.00PM di Inn lantai 1
- 7.00PM-10.00 PM di Inn lantai 1

Popuri
Ultah : 3 Summer
Rival : Kai
Hadiah yang disukai : Accessories, Apple Jam, Apple Pie, Ice Cream, Honey, Cookies, Boiled Egg, Diamond, Omelete, Ruby, Tpoaz, Emerald
Hadiah yang nggak/kurang disukai : Herb grass, sashimi, fish, milk
Lokasi :
- 7.30 AM-10.00 AM Hotspring kecuali hujan
- 10.00 AM-6.00 PM dirumah
- Sunday 9.30 AM- 1.00 PM gereja kecuali Summer
- Sunday 8.30 AM-10.00 AM Mineral Beach saat Summer kecuali hujan
- Sunday 1.30 AM-4.00 PM Rose Square jika hujan di gereja

Ultah para warga:
- Cliff : 6 Summer (10 Summer)
- Doctor : 19 Fall (25 Fall)
- Gourmet Judge : 21 Summer (20 Summer)
- Kai : 22 Summer (17 Summer)
- Kappa : 8 Spring (9 Spring)
- Rick : 27 Fall (23 Fall)
- Won : 19 Winter (21 Winter)

Sekian dari saya, Untuk Cheatnya bisa dilihat di blognya YANDI atau terus update blog ini! Kapan kapan saya akan memberikan cheatnya! Thanks!
»»  BACA SELENGKAPNYA...

By HAMMAM MAHRUS with No comments

Jumat, 23 April 2010

PES 2010

sekarang ini banyak orang yang suka permainan olahraga. Jujur saja saya pun suka dengan permainan olahraga apalagi sepak bola.
Nah, kali ini saya akan memberi informasi tentang game olahraga yang berjudul PES 2010 ini.

game ini banyak disukai di PS 2 dan PS 3, kali ini game PES 2010 ini hadir di PC sebagai game menarik, apalagi Juni ini juga piala dunia 2010 juga mulai, jadi jangan melewatkannya.

bagi yang tertarik dan suka dengan game PES 2010 ini, bisa juga download demonya di alamat ini

Share This

sekarang ini banyak orang yang suka permainan olahraga. Jujur saja saya pun suka dengan permainan olahraga apalagi sepak bola.
Nah, kali ini saya akan memberi informasi tentang game olahraga yang berjudul PES 2010 ini.

game ini banyak disukai di PS 2 dan PS 3, kali ini game PES 2010 ini hadir di PC sebagai game menarik, apalagi Juni ini juga piala dunia 2010 juga mulai, jadi jangan melewatkannya.

bagi yang tertarik dan suka dengan game PES 2010 ini, bisa juga download demonya di alamat ini
»»  BACA SELENGKAPNYA...

By HAMMAM MAHRUS with No comments

PhotoEdit

Dalam paket Microsoft Office, kita mengenal program editor gambar bernama Picture Manager. Aplikasi ini punya fungsi-fungsi sederhana dalam mengolah suatu gambar, misalnya cropping, resizing, dan konversi format file.

Terdapat pula feature pengaturan tingkat kontras dan pencahayaan gambar serta corak dan saturasi warna. Jauh dari kata lengkap, tapi untuk pengguna awam sudah mencukupi.

Namun bagaimana jika Anda tidak memiliki paket tersebut? Misalnya Anda lebih memilih Open Office Suite yang tidak berbayar. Program Picture Manager memang bisa diunduh terpisah, tapi hanya dalam versi shareware. Untuk aplikasi yang gratis sepenuhnya, PhotoEdit boleh menjadi salah satu alternatif.

Peranti ini punya kapabilitas nyaris serupa dengan editor gambar bikinan Microsoft. Bahkan ada beberapa fungsi yang tidak dimiliki oleh Picture Manager. Misalnya koreksi level dan intensitas warna yang dapat diatur berdasarkan kanal warna RGB. Alih-alih mengisi angka-angka, Anda cukup memainkan histogram dan kurva sesuai kebutuhan. Kemampuan lain yang dipunya PhotoEdit di antaranya menajamkan atau mengaburkan gambar serta feature standar seperti autolevel, autocontrast, color balancing, flip, dan rotate.

Dengan ukurannya yang tergolong kecil, hanya memakan ruang harddisk sekitar 3MB, PhotoEdit terbilang layak mendampingi fotografer atau editor gambar tingkat pemula. Setidaknya untuk belajar mengatur pewarnaan. (Erry FP)

Spesifikasi PhotoEdit

Ukuran Installer

1,04MB

Situs Download

www.sunlitgreen.com/downloads.html

Jenis

Freeware

Pengembang

Sunlit Green

Sistem Operasi

Windows 2000/XP/2003/Vista


Plus : Ringan, punya feature pengaturan level dan intensitas warna menggunakan histogram dan kurva

Minus : Hanya ada versi Windows

Share This

Dalam paket Microsoft Office, kita mengenal program editor gambar bernama Picture Manager. Aplikasi ini punya fungsi-fungsi sederhana dalam mengolah suatu gambar, misalnya cropping, resizing, dan konversi format file.

Terdapat pula feature pengaturan tingkat kontras dan pencahayaan gambar serta corak dan saturasi warna. Jauh dari kata lengkap, tapi untuk pengguna awam sudah mencukupi.

Namun bagaimana jika Anda tidak memiliki paket tersebut? Misalnya Anda lebih memilih Open Office Suite yang tidak berbayar. Program Picture Manager memang bisa diunduh terpisah, tapi hanya dalam versi shareware. Untuk aplikasi yang gratis sepenuhnya, PhotoEdit boleh menjadi salah satu alternatif.

Peranti ini punya kapabilitas nyaris serupa dengan editor gambar bikinan Microsoft. Bahkan ada beberapa fungsi yang tidak dimiliki oleh Picture Manager. Misalnya koreksi level dan intensitas warna yang dapat diatur berdasarkan kanal warna RGB. Alih-alih mengisi angka-angka, Anda cukup memainkan histogram dan kurva sesuai kebutuhan. Kemampuan lain yang dipunya PhotoEdit di antaranya menajamkan atau mengaburkan gambar serta feature standar seperti autolevel, autocontrast, color balancing, flip, dan rotate.

Dengan ukurannya yang tergolong kecil, hanya memakan ruang harddisk sekitar 3MB, PhotoEdit terbilang layak mendampingi fotografer atau editor gambar tingkat pemula. Setidaknya untuk belajar mengatur pewarnaan. (Erry FP)

Spesifikasi PhotoEdit

Ukuran Installer

1,04MB

Situs Download

www.sunlitgreen.com/downloads.html

Jenis

Freeware

Pengembang

Sunlit Green

Sistem Operasi

Windows 2000/XP/2003/Vista


Plus : Ringan, punya feature pengaturan level dan intensitas warna menggunakan histogram dan kurva

Minus : Hanya ada versi Windows

»»  BACA SELENGKAPNYA...

By HAMMAM MAHRUS with No comments

Artikel terkait

Google Translate
Arabic Korean Japanese Chinese Simplified Russian Portuguese
English French German Spain Italian Dutch