Ç°ÍùShuct.NetÊ×Ò³

Shudepb PB·´±àÒëר¼Ò³¤Ê±¼äÒÔÀ´,ΪҵÄÚͬÀàÈí¼þÊÂʵÉϵÄΨһѡÔñ.ϸ½Ú,ÕÃÏÔרҵ.̬¶È,¾ö¶¨Æ·ÖÊ.

¹ØÓÚPowerBuilderµÄËÑË÷

Creation and Consumption of Web Services with PowerBuilder | Enterprise Architecture Advertise | Contact | About Welcome! Register | Sign-in enterprisearchitecture.ulitzer.com Home Topics Authors Members Write an Article Search All Things Related to Enterprise Architecture Enterprise Architecture Subscribe to Enterprise Architecture: Email Alerts Weekly Newsletters Get Enterprise Architecture: Homepage Mobile RSS Facebook Twitter LinkedIn Enterprise Architect Authors: Gil Haberman, Derek Britton, Bob Renner, Dana Gardner, Solar VPS Related Topics: Enterprise Architecture, Enterprise Application Performance, SOA & WOA Magazine Article Creation and Consumption of Web Services with PowerBuilder Web services support has been significantly enhanced in PowerBuilder.NET By Bruce Armstrong Article Rating: Select ratingGive it 1/5Give it 2/5Give it 3/5Give it 4/5Give it 5/5 January 19, 2012 10:00 AM EST Reads: 46,197 Related Print Email Feedback Add This Blog This PowerBuilder 12.5 introduced a number of significant enhancements to web services support, both for creation and consumption. In particular, the following were introduced as new features in PowerBuilder.NET: WCF client proxy WCF service target REST client proxy We're going to look at what those new features provide and how to use them. We're also going to look at how we can package some of that functionality so that it can be used from PowerBuilder Classic applications as well. Windows Communication Foundation (WCF)First though, some background. When support for a web service client was first introduced in PowerBuilder 9, it was done based on an open source library called EasySOAP. There were some limitations with that implementation, primarily because the EasySOAP library only supported SOAP 1.1, was limited to XML over HTTP transport, and provided no support for ancillary web services standards such as WS-Security. The situation was improved considerably when a web service client based on the .NET Framework classes (System.Web.Services) was introduced with PowerBuilder 10.5. That updated the support for SOAP to version 1.2, although it was still limited to XML over HTTP for transport. In addition, support for ancillary web services standard such as WS-Security was still lacking. Such support was available for Visual Studio, but only through an add-in that PowerBuilder could not take advantage of. PowerBuilder 11 provided some of the same advances in terms of web service creation with the introduction of a .NET web service target type. One particular disadvantage of that implementation was that it required IIS to be installed on the developer's local machine and deployed the web service to it during development. With PowerBuilder 12.5, web services support has been updated to the Window Communication Foundation that was introduced to .NET in version 3.0. Basing the web services support on these new set of classes (System.ServiceModel) provides a number of important advantages: Support for bindings other than HTTP Support for other message formats (e.g., JSON) Support for WS-Security and other WS-* standards (WS-Policy, WS-Addressing, WS-SecureConversation, WS-Trust, WS-ReliableMessaging, WS-AtomicTransaction, WS-Coordination) Supports self-hosting of services (no need to install IIS on development machines) Representative State Transfer (REST)One of the things that SOAP-based web services have drawn fire for recently is their complexity. When things like message security are important (e.g., WS-Security), SOAP provides significant advantages. But many people found the complexity of SOAP too cumbersome and have instead opted for implementing web services through REST. REST web services are accessed through standard URIs using standard HTTP methods (POST, GET, PUT, DELETE) and return data in Internet standard media types (typically XML or JSON). Because REST is an architecture, not a protocol (like SOAP), there are no official standards for it. One particular disadvantage of REST is that while there are machine readable methods that can be used to describe REST web services such as WSDL 2.0 or Web Application Description Language (WADL), most REST web services rely on human readable descriptions. That makes it a bit problematic for a tool like PowerBuilder to automatically generate client proxies for such services. Creating a WCF Client Proxy in PowerBuilder.NETNow that we've covered the background, let's see how we can use these new features. We'll start with the WCF Client Proxy. For this example, we're going to create a client for the Amazon AWSECommerceService web service.[1] Note that you will need an account with Amazon Web Services to call the service, so you should go to their website and create one before trying these samples on your own.[2] Figure 1 The first thing we will do is create a WCF Client Proxy Target from the New dialog (see Figure 1). The first step in the wizard then prompts us to give our new project a name and indicate a library we want to store it in. The second step is to provide the wizard with the URL for the WSDL file used to describe the service (referenced below). In the third step of the wizard we provide a namespace for the generated proxy classes and indicate the assembly where the .NET generated code will be stored as well as the PowerBuilder library where the PowerBuilder generated client will be stored. After this, we will be shown the one service described by the WSDL and the data classes that PowerBuilder will end up generating. While there are additional optional steps in the wizard, the Finish button is enabled at this point and we can simply use it to close out of the wizard. Next, generate the actual proxy and supporting .NET assembly by running the proxy project you just created. What you should see as a result is a proxy object in the PowerBuilder library with the methods supported by the proxy (see Figure 2). Figure 2 What you will also see is an assembly that was automatically added to the References for the target that provides the supporting .NET classes for the proxy (see Figure 3). Note that unlike the web service client in PowerBuilder Classic, the data classes created by the WCF client are stored in the supporting .NET assembly, not in the PowerBuilder library. Figure 3 For this particular sample, I've added the WCF proxy to an existing WPF target, and will be adding a window to that WPF target that will use the WCF proxy. The first thing I'll do after creating the new window is add a reference to the supporting assembly to the Usings portion of the window to make it easier to use the classes it contains (see Figure 4). Because the generated data classes contain .NET array classes that support the IEnumerator interface but do not provide access through an indexer, I've added a reference in Usings to the Systems.Collection classes as well so I can use them in the new window to loop through those arrays. Figure 4 Listing 1 provides the code I used to call the web service to search Amazon and then populate a listbox with the data returned by the service. Note that I've dummied up the accessKeyId and secretKey values; you will need to provide the ones that Amazon assigned to you when you registered to use their web services before the sample will work. (Listings 1 through 5 can be downloaded here.) Some portions of the sample bear some explanation. As indicated earlier, one of the advantages of moving to WCF as the basis for the web service client was support for ancillary standards such as WS-Security. The Amazon Web Services do in fact require that you provide your accessKey as an extra header item, that you sign the request using your secretKey, and that you use transport security to send the message. Those requirements are easily met using the WCF proxy. After we've created the client proxy, we enable the transport security Amazon requires as follows: _client.wcfConnectionObject.BasicHttpBinding.Security.SecurityMode = PBWCF.BasicHttpSecurityMode.TRANSPORT! To add your accessKey as an additional header item, do the following: _client.wcfConnectionObject.SoapMessageHeader.AddMessageHeaderItem(&"AWSAccessKeyId",&"http://security.amazonaws.com/doc/2007-01-01/",&_accessKeyId,&PBWCF.WCFHMAC.NONE!,&"") And finally, to sign the message with your secretKey, do the following: _client.wcfConnectionObject.SoapMessageHeader.AddMessageHeaderItem(&"Signature",&"http://security.amazonaws.com/doc/2007-01-01/",&_secretKey,&PBWCF.WCFHMAC.HMACSHA256!,&"") Also note that the proxy is self-contained. Unlike the web service clients that we would generate in PowerBuilder Classic, we don't have to import any PBNI extensions into our library or use any system classes (e.g., SoapConnection). Everything we need to call the web service was generated by the proxy and can be used directly. 1 | 2 NEXT PAGE » Published January 19, 2012 – Reads 46,197 Copyright © 2012 Ulitzer, Inc. — All Rights Reserved. Syndicated stories and blog feeds, all rights reserved by the author. Related Print Email Feedback Add This Blog This More Stories By Bruce Armstrong Bruce Armstrong is a development lead with Integrated Data Services (www.get-integrated.com). A charter member of TeamSybase, he has been using PowerBuilder since version 1.0.B. He was a contributing author to SYS-CON's PowerBuilder 4.0 Secrets of the Masters and the editor of SAMs' PowerBuilder 9: Advanced Client/Server Development. Comments (2) View Comments Share your thoughts on this story. Add your comment You must be signed in to add a comment. Sign-in | Register In accordance with our Comment Policy, we encourage comments that are on topic, relevant and to-the-point. We will remove comments that include profanity, personal attacks, racial slurs, threats of violence, or other inappropriate material that violates our Terms and Conditions, and will block users who make repeated violations. We ask all readers to expect diversity of opinion and to treat one another with dignity and respect. Please wait while we process your request... Your feedback has been submitted for approval. Most Recent Comments bruce.armstrong 08/12/12 12:44:00 AM EDT The link for the sample code is wrong. Try this one instead. Top Reads - Week This Month All Time Embracing the New Enterprise IT: Flash Storage Cloud Model 2014: Hybrid, Google, Brokerage, Startups and The Enterprise How Red Hat Enterprise Linux Shrinks Total Cost of Ownership (TCO) 2014: Customers Rejoice in the Year of Service Personalization 2014 Cloud Predictions: Enterprise IT Makes a Comeback The Missing Pieces of Agile Architecture GoodData Rated Cloud BI Platform Leader in Nucleus Research Value Matrix BMC Software Delivers ¡®The New IT¡¯ with Three Pioneering Products A Tale of Two Enterprise Public Cloud Applications The Roman Road and Enterprise Mobility Will Too Many C-ooks Spoil the Corporate Broth? How Data Integration Is Changing the Enterprise Landscape Can We Finally Find the Database Holy Grail? | Part 3 Embracing the New Enterprise IT: The Public Cloud Embracing the New Enterprise IT: Flash Storage Where the Physical Meets the Digital - GIS and Enterprise Mobility Cloud Model 2014: Hybrid, Google, Brokerage, Startups and The Enterprise How Red Hat Enterprise Linux Shrinks Total Cost of Ownership (TCO) 2014: Customers Rejoice in the Year of Service Personalization Red Hat Releases OpenShift Enterprise 2 2014 Cloud Predictions: Enterprise IT Makes a Comeback Chef, Formerly Opscode, Closes $32 Million in Series D Funding The Master Plan for Enterprise Mobility Mobile Management Gaining in Enterprise Importance The Top 250 Players in the Cloud Computing Ecosystem Cloud Expo New York Call for Papers Now Open Creation and Consumption of Web Services with PowerBuilder 4th International Cloud Computing Conference & Expo Starts Today What is Enterprise Cloud Computing? Cloud CEOs, CTOs & SVPs to Speak at 4th International Cloud Computing Expo Perhaps I Haven¡¯t Made Myself Clear... Hurdles To Cloud Adoption Swirl Around Governance Refactoring Corner: Partitioning DataWindow Technology Current Trends in the Data Management Market HP Offers Cloud Computing Consulting Combining the Cloud with the Computing: Application Delivery Networks CommentsNew Release of Quest Toad for Oracle Offers Enhancements to Reduce Risk By Liz McMillanyourfanat wrote: I am using another tool for Oracle developers - dbForge Studio for Oracle. This IDE has lots of usefull features, among them: oracle designer, code competion and formatter, query builder, debugger, profiler, erxport/import, reports and many others. The latest version supports Oracle 12C. More information here.Oct. 22, 2013 02:57 AM EDTread more & respond » Related Stories Wiki War Breaks Out Most PopularEmbracing the New Enterprise ITBy Amy BishopCloud Model 2014: Hybrid & the EnterpriseBy Ofir NachmaniHow Red Hat Enterprise Linux Shrinks TCOBy Elizabeth White2014: The Year of Service PersonalizationBy Esmeralda SwartzEnterprise IT Makes a ComebackBy Rajiv GuptaThe Missing Pieces of Agile ArchitectureBy Jason Bloomberg Latest Articles Latest Blogs Latest News Benefits of an Enterprise-Class Server and Data Consolidation Solution ¡®We Don¡¯t Know¡¯: IT¡¯s Guilty Secret How Data Integration Is Changing the Enterprise Landscape Managing Risk and Deployments BMC Software Delivers ¡®The New IT¡¯ with Three Pioneering Products How Can CIOs Cut Through the Poppycock and Bunkum? A Tale of Two Enterprise Public Cloud Applications Egnyte Expands Global Operations to Meet Rapid Growth The Missing Pieces of Agile Architecture Tackling the Need for Speed and Agility Embracing the New Enterprise IT: Flash Storage The Roman Road and Enterprise Mobility More Articles... Forget the Driver: Put the Cloud Behind the Wheel ¨C Self-Driving Components & How the Cloud Plays a Part Monetizing Wellness, to Drive Value-Driven, Outcomes-Based #Healthcare Transformation in the U.S. #NVTC #NVTCBEA Microsoft SQL Server 2012 Unleashed Book Review DC, Northern Virginia Enterprise Architects, Health Technology Professionals - an #NVTC Joint Committee Meeting with Former HHS CIO John Teeter - 2/18/2014 EnterpriseWeb Announces Addition of Jason Bloomberg to Management Team Making sense of the SuperStream protocols - ebMS v3, AS4 - for Australian Superannuation Processing New white paper: Global G-Cloud Innovation Northern Virginia Enterprise Architects - NVTC.org B&EA Committee - EA and Startups in Northern Virginia & Loudoun County Plexxi Pulse ¨C Moving Out of Startup Architecture for the Digital Business LZA SOA Training & Certification: Washington DC ¨C June 10 ¨C 13, 2014 Enterprise Mobility 2014 is Going to the Cloud with Guest Blogger Peter Rogers More Blogs... WSO2 Announces Keynote Speakers for WSO2Con Asia 2014 Troux and BDNA Enable Customers to Make More Confident Technology Infrastructure Decisions Attunity to Host Webinar Today on Harnessing Big Data from the 'Industrial Internet of Things' (IIoT) Netskope Survey: More Than 60 Percent of IT's Most Security Savvy Professionals Are Either Unaware of Their Company's Cloud App Policies or Don't Have One Signavio and Cisco Bringing IT and Business Together with ArchiMate? Forum Systems to Host Industry Leaders at API Summit Federal Agencies Work to Balance the Cyber Big Data Equation Salient Federal Solutions Awarded $4M Enterprise Hosting Managed Services Contract for EEOC SOA Software a Multiple Award Finalist in Info Security SmarTek 21 Signs Alliance Agreement with Atigeo to Provide Advanced Analytics Across a Variety of Industries Using xPatterns Citizant Expands Board of Directors Netskope's CEO Wants You to "Let Your Users Go Rogue" -- Hear How at RSA Conference USA 2014 More News... About Enterprise Architecture Enterprise Architecture is the organizing logic for business processes and IT infrastructure reflecting the integration and standardization requirements of the firma€?s operating model. It is often said that the architecture of an enterprise exists, whether it is described explicitly or not. This makes sense if you regard the architecture as existing in the system itself, rather than in a description of it. Certainly, the business practice of enterprise architecture has emerged to make the system structures explicit in abstract architecture descriptions. Practitioners are called "enterprise architects." Subscribe to Enterprise Architecture Email News Alerts Subscribe via RSS Click this link to view as XML ADD THIS FEED TO YOUR ONLINE NEWS READER Top Stories Cloud Computing Computers and Software Graphene: The Silver Lining for Cloud Computing? Managing the Performance of Cloud-Based Applications Benefits of an Enterprise-Class Server and Data Consolidation Solution Three Reasons Financial Services Companies Need APM Right Now What to Look for in an Agile Load Testing Solution Ajay Budhraja Cloud Big Data Computers and Software Essential Characteristics of PaaS CloudSigma Partners with CompatibleOne to Allow for a Unified View of Computing Environments Across Locations MeriTalk Provides FedRAMP Transparency With New ¡°FedRAMP OnRAMP¡± Interoute recognized with Frost & Sullivan Customer Value Leadership Award Concise Analysis of the International Business Process Management (BPM) Cloud, Mobile, and Patterns - Forecasts to 2019 Java in the Cloud Computers and Software MCPc to Host HP / Gartner Thought Leader Panel on Datacenter Red Hat to Webcast Middleware Press Conference on March 4 Nexenta to Present Leading Software Defined Storage Trends and Solutions at Innovative Object Storage Summit Google Apps for Business Now Integrated Into Alteva's Unified Communications Solution FOSE to Bring Together Government Technology Professionals in D.C. May 13-15 CIO/CTO Update Computers and Software Pacific Office Automation San Mateo Outlines Rationale for Streamlining Workflow Processes Global Business Process Management (BPM) PaaS Market 2014-2018 IRI Releases Big Data Migration Software BrightEdge Announces Continued Momentum Led by Doubling Top-Line Growth Actuate Named a Leader for the First Time In Report on Enterprise Business Intelligence Platforms by a Top Independent Research Firm Twitter Media and Entertainment Sigma Corporation of America Offers Hands-on Time with SD1 and Lens Lineup and Giveaways at WPPI 2014 IDC's Worldwide Quarterly Ethernet Switch and Router Tracker Shows Encouraging Results in Fourth Quarter Selectica, Inc. to Present at 26th Annual Roth Conference Facebook Store All-in-One SEO Social Media Marketing Platform App Now Available from Skyline Apps WSO2 Announces Keynote Speakers for WSO2Con Asia 2014 Tech CEOs Computers and Software Analysis of the Global Virtualized IP Testing Market Cloud Practice Expands ClinicAid? Web-Based Billing to Ontario Medical Practices Apply Gaming Concepts as Incentives to Achieve Stronger Application Security, According to AsTech Consulting & WhiteHat Security Translational Regenerative Medicine: Market Prospects 2014-2024 2013 Sales Performance Lifts Aspect Enterprise Solutions To Fastest-Growing CTRM Vendor It's All About Engaging Media and Entertainment Dura Wallet Review Announced By ScamOrNotReviews, Availability Limited 21st century Modern Alarm systems continue to play a key role in various institutions and industries Business Strategy: IDC Maturity Model Benchmark -- Big Data and Analytics in Oil and Gas in North America Palisade¡¯s DecisionTools Suite underpins Enterprise Risk Management programme at Russian telecoms giant, MegaFon BIS wins International Award for Video Communication Televation Telecom BlackLine Systems Shortlisted for Best Accounting Suite in 2014 UK Cloud Awards CODE_n at CeBIT: Five Days to Witness Big Data Live Confirmit Announces Exceptional 2013 and Continued Momentum into 2014 AkkenOnTheGo(TM) the All In Mobile Platform for the Staffing and Recruiting Industry Attunity to Host Webinar Today on Harnessing Big Data from the 'Industrial Internet of Things' (IIoT) Facebook Media and Entertainment Burberry Teams Up with Tencent to Strengthen Its Digital Presence Springtime in New Braunfels is for outdoor lovers... Next Generation Smart Wallet & Mobile Payment Platforms in 2014 Aim to Eliminate Credit Card Use Bankers Healthcare Group Joins Forces with the American Heart Association and Broward PULSE Aviation Cyber Security Market Forecast 2014-2024 Ajay Budhraja Big Data Cloud Computers and Software nPulse Technologies Named Silver Winner by Info Security¡¯s Global Excellence Awards Blueport Commerce Executives to Participate in the Pacific Crest Emerging Technology Summit FieldOne Earns 'Certified For Microsoft Dynamics' Distinction For Field Service Management Solutions Frost & Sullivan: Desire to Lower Energy Consumption and Greenhouse gas Emissions Prompt Data Centers to Adopt Energy-Efficient Systems Frost & Sullivan: Desire to Lower Energy Consumption and Greenhouse gas Emissions Prompt Data Centers to Adopt Energy-Efficient Systems Government Government SharePoint 2013 Private Cloud Solutions From Project Hosts to Be FedRAMP JAB P-ATO Approved This Fall California Gold Corp. Completes Securities Exchange Agreement With MVP Portfolio, LLC Guardian 8 Enters Into Letter of Intent to Provide Enhanced Non-Lethal Security Test Devices to Securitas-USA CORRECTION FROM SOURCE/Media Advisory: Parliamentary Secretary Brown to Highlight Canada's Commitment to Education in Fragile and Conflict-Affected States AFGE President Urges End to Lockout of Kellogg's Employees in Memphis BigData Computers and Software Enterprise Cloud Analytics and Business Intelligence Bright Light Management Launches in San Diego The Apache Software Foundation Announces Apache? Spark? as a Top-Level Project Strategic Analysis of the European and North American Market for Automated Driving ThePointsGuy.com Launches New Credit Card Recommendations Tool, TPG Maximizer SEO Professional Services OBJE Scouts Cutting-Edge Biofeedback Gaming Innovations Jefferson Township Middle School In Oak Ridge, NJ Aces Verizon Innovative App Challenge Psychedelic Mooj Releases New Album "Further Than You Ever Knew" Demandbase Introduces Programmatic Audiences for B2B Retargeting Global E-commerce Market 2014-2018 Microsoft Developer Computers and Software Global DLNA-Certified Device Market 2014-2018 Concise Analysis of the International Business Process Management (BPM) Cloud, Mobile, and Patterns - Forecasts to 2019 Cengage Learning Announces Strategic Hires to Support Continued Emergence as Innovative Global Education Leader Chicago-based Cloud Solutions Firm Doubling in Size to Meet Escalating Demand Concise Analysis of the International Application Server Market - Forecasts to 2019 Market Research Professional Services Research and Markets: Things to Consider before Offering Unified Communications as a Service (UCaaS) in Latin America Global Fiber Laser Market 2014-2018 UK Pet Insurance: Market Dynamics and Opportunities Concise Analysis of the International Middleware Messaging Market Shares, Strategies, and Forecasts to 2019 Ship Building in the US - Industry Market Research Report Virtualization Computers and Software The Telco Cloud Opportunity OpenFlow Evolution: Standardized Packet Processing Abstraction Is Hard QTS Announces 2013 Channel Partner Program Results And 2014 Focus Virtualizing Your Data Center ¡ª What's Involved Thinspace Technology Engages Windmill Communication Design + Management for Public and Investor Contact Services Infrastructure 2.0 Computers and Software Grid Edge Live Debuts as the Definitive Conference on the Transformation and Decentralization of the Electric Power Industry CloudSigma Partners with CompatibleOne to Allow for a Unified View of Computing Environments Across Locations MEDIA ALERT: PROMISE Technology at Security Show 2014, March 4-7, in Tokyo, Japan Video Conferencing for Healthcare Concise Analysis of the International Application Server Market - Forecasts to 2019 Cloudonomics Computers and Software ViaWest Supports Launch of New 7X24 Exchange Chapter Logicworks Wins Bronze Stevie(R) Award in 2014 Stevie Awards for Sales & Customer Service(SM) Call for Entries: FICO Decision Management Awards 2014 Amdocs Survey: Service Providers Are Using More IT Services Vendors than Ever, Despite Ambition to Simplify IT Environments Download ¡°Real Time is Agile¡± by David Linthicum Las Vegas Lifestyle and Leisure AT&T U-verse TV Launches Time Life Channels Sitecore Names Mayo Clinic 2013 North America Site of the Year Spider-Man And Stars To Join Earth Hour Event In Singapore GSMA Mobile World Congress 2014 Shatters Previous Records GSMA Mobile World Congress 2014 rompe records de a?os anteriores Entrepreneurs Telecom Velocity Growth to Hyper Accelerate Startup Companies Oregon's Health CO-OP lowering small group base rates by 14% Apr 26-27: USA Science & Engineering Festival Expo Inspires Kids to Explore STEM Careers; Free Event Has 3,000 Hands-on Exhibits and Science Celebs CoinTerra? ships its 1,000th TerraMiner? Bitcoin miner. Now powering over 6% of the Bitcoin network. Garb Oil & Power Corporation Announces OTC Initial Filings Submission to OTC Markets and Entering Into a Revenue-Generating Collaborative Effort With Shredderhotline.com Company BuyerSteps Computers and Software The 7 Core Components to a Successful Content Marketing Strategy Couchbase Hires Proven Enterprise Software Executive Doug Laird as Chief Marketing Officer Bayer CropScience Shares Solutions to Help Growers Achieve an Abundant Tomorrow Innovative Social Media App Castgraphy Creator Launches Fundraiser The Biggest Names in Comedy Join Season 2 of The Comedy Network's Original Series JUST FOR LAUGHS: ALL ACCESS, Beginning March 23 ipad Electronics and Semiconductors Bigger, With an Awesome Kitchen, and Close to Work, Please; New Cartus Real Estate Broker Survey Reveals Dream Home Wish List for Relocating Employees Beltone Launches Beltone First, a Revolutionary Hearing Aid New Creatacard? iPad App from American Greetings Brings Your Child's Imagination to Life in a Card First Mobile App "Fan vs. Machine" Delivers Patented Next Generation Technology to Fantasy Basketball Identity Relationship Management Market to Exceed $50 Billion by 2020 Mergers & Acquisitions Financial Services Visa? Enhances Industry Fraud Detection on Prepaid Cards Pellerano & Herrera Live on Smart Time to Improve Attorney Time Capture and Recording Alliance Data Signs Multi-Year Renewal Agreement With Lifestyle And Entertainment Retailer HSN Dynacor Drilling Program Continues to Intersect Gold and Copper Grades at the Manto Dorado Structure and Intersects High Gold Grades in the A-Vein, Rosa Vein and Tumi Vein at Tumipampa Dynacor Drilling Program Continues to Intersect Gold and Copper Grades at the Manto Dorado Structure and Intersects High Gold Grades in the A-Vein, Rosa Vein and Tumi Vein at Tumipampa IBM Journal Computers and Software GSMA Mobile World Congress 2014 Shatters Previous Records Nok Nok Labs Raises $16.5M in Series B Financing from Lenovo, DCM and ONSET Ventures Concise Analysis of the International Middleware Messaging Market Shares, Strategies, and Forecasts to 2019 Proofpoint Joins IBM Security Intelligence Partner Program Halcyon Software Presenting at Infor M3 User Events in Netherlands and Nordic Regions SDN Computers and Software Telefonica I+D and Infinera Collaborate to Demonstrate Network-as-a-Service Using SDN Midokura to Present at the Open Networking Summit 2014 Cloud Expo Names Cloud Computing Industry Leader Larry Carvalho Tech Chair World's Top Expert Named "DevOps Summit 2014" Tech Chair CRAM the Cloud: Creating Resilient Application Migration SharePoint Archiving Computers and Software EPIC adds Director of Account Executives Sean Leonard to its Southeast division, The McCart Group Veterans' Advocacy Group Warns: VA Destruction of Patient Medical Records May Be Illegal SLI Systems' First Half Annualized Recurring Revenue (ARR(1)) Meets Forecast Exoprise Extends Office 365 Monitoring With New SharePoint Offering Survey: Counteroffers More Common as Employers Seek to Retain Top Legal Talent Sarbanes Oxley Computers and Software Former USDA Official & FoodMinds Chief Science Officer Available to Comment on FDA's Proposed Changes to Nutrition Facts Label New BBVA Compass service aims to help business owners manage their own payrolls Kush Bottles Comments on New York Times Article: "Snacks Laced with Marijuana Raise Concerns" Amber Road Honored With Eleventh ¡°Pros to Know¡± Award from Supply & Demand Chain Executive Diligent Announces Global ISO 27001 Certification Board portal attains industry's highest security standard Datacenter Automation Computers and Software Analysis of Global Surface Mount Technology (SMT) Equipment Software Market Analysis of Global Automation and Control Systems (ACS) Market in the Upstream Oil and Gas (O&G) Industry The First Software to Actually Solve GRC Conflicts for SAP?: Xpandion's SoD Conflict Resolver? Pacific Office Automation Denver Details How Going Green Improves Workflow Management Airbiquity Launches TripAdvisor on Its Choreo Cloud Based Connected Car Platform Localized in 21 Languages Application Performance Computers and Software Service Factory as a Service (SFaaS) 2014 Cloud Computing Predictions Round-Up ¨C Part 2 NorthStar Realty Finance Announces Fourth Quarter And Full Year 2013 Results Deeper Integration into Eloqua Platform Makes Marketing Data Management Seamless for NetProspex and Eloqua Customers Considerations for Moving to a Next-Generation Consolidation and Reporting Solution: Webinar Presentation Hosted by Blumshapiro and Tagetik Open Source Journal Computers and Software Indrukwekkende groei Bonitasoft zet door in 2013 Domino's Pizza? Extends Partnership with CP+B Through 2016 Revolution Analytics named a Visionary in the Gartner Magic Quadrant for Advanced Analytics Platforms Bonitasoft poursuit sa croissance exceptionnelle en 2013 A Man is Trying to Sell His Vacation Home in Dogecoin Cloud Expo Home Register Keynotes Speakers Sessions Schedule Exhibitors Sponorship Info Conference Info Hotel Info Press Registration Call For Papers Media Sponsors Advisory Board Volunteers Is Your Business 100% Ready for the New Era of Cloud Computing and Big Data? The Only Enterprise IT Event in 2014 Covering the Entire Scope of both Cloud & Big Data Come to New York and get yourself up to date with the Big Data revolution! As advanced data storage, access and analytics technologies aimed at handling high-volume and/or fast moving data all move center stage, aided by the Cloud Computing boom, Cloud Expo is the single most effective event for you to learn how to use you own enterprise data ¨C processed in the Cloud ¨C most effectively to drive value for your business. There is little doubt that Big Data solutions will have an increasing role in the Enterprise IT mainstream over time. Get a jump on that rapidly evolving trend at Big Data Expo, which we are introducing in June at Cloud Expo New York. Cloud Expo was announced on February 24, 2007, the day the term "cloud computing" was coined. That same year, the first Cloud Expo took place in New York City with 450 delegates. Next June, Cloud Expo is returning to New York with more than 10,000 delegates and over 600 sponsors and exhibitors. "Cloud" has become synonymous with "computing" and "software" in two short years. Cloud Expo is the new PC Expo, Comdex, and InternetWorld of our decade. By 2012, more than 50,000 delegates per year will participate in Cloud Expo worldwide. The cloud is certainly a compelling alternative to running all applications within a traditional corporate data center. But moving from theory into practice is where things get complicated, and this is where attending a top industry event like Cloud Expo comes in. No one can take full advantage of cloud computing without first becoming familiar with the latest issues and trends, which is why the organizing principle of the 13th Cloud Expo on June 10-12, 2014 - is to ensure - through an intensive four-day schedule of keynotes, general and breakout sessions, and our bustling Expo Floor - that attending delegates leave the New York Convention Center with abundant resources, ideas and examples they can apply immediately to leveraging the Cloud, helping them to maximize performance, minimize cost and improve the scalability of their Enterprise IT endeavors. Delegates will leave Cloud Expo with dramatically increased understanding the entire scope of the entire cloud computing spectrum from storage to security. Whether you're an enterprise or small to medium business, you'll soon be benefiting from the Cloud. Join your peers in New York June 10-12, and maximize those benefits already in 2014. See you in New York! Register Now! Save $500 on your “Golden Pass”! Call 201.802.3020 or click here to Register Early Bird Expires Friday. Speaker Opportunities Submit your speaking proposal for the upcoming Cloud Expo in New York [June 10-12, 2014] Exhibitor Info Please Call 201.802.3021 events (at) sys-con.com. Carmen Gonzalez, carmen (at) sys-con.com. Terms of Use & Our Privacy Statement - About Newsfeeds / Videofeeds. Copyright ©1994-2014 Ulitzer, Inc. All Rights Reserved. All marks are trademarks of Ulitzer, Inc. Reproduction in whole or in part in any form or medium without express written permission of Ulitzer, Inc. is prohibited.