Отправляет email-рассылки с помощью сервиса Sendsay
  Все выпуски  

IBM Lotus Notes and Domino Calendaring & Scheduling Schema


Lotus Notes/Domino -- продукт и инструмент. Выпуск: 661

2013-03-08
Поиск по сайтам о Lotus Notes

Содержание:

CodeStore. Коды Примеры Шаблоны (1)

How to Do Infinite Scrolling in Domino | Blog

Интенет эфир о Lotus Notes. Блоги и форумы (20)

А что, есть еще конторы, которые пользуются Lotus Notes?
lotus domino лаборатория касперского выпустила обновленный антивирус касперского
новости скачать учебник для пользователя lotus notes 7 ins.evasoft.com.ua/blogs/lenus/sk...
Lotus Notes® Release 3 in the OS/2® Environment.
koffboy скачать учебник для пользователя lotus notes 7 mynet.biz.uz/blogs/xedar/gd...
lotus notes traveler android android-softse.file-tracker.net/29789a198371ab...
Ульяна Кайшева выиграла спринт на юниорском чемпионате Европы sgwsmbd.nokiajava.ru/
Китайской угрозы не существует fawnrtd.nokiajava.ru/lotus-notes-tr...
Выпуск рассылки "Бюллетень "Lotus Notes CodeStore" No 536 от 2013-03-06" от 06 ...
Скачать lotus notes key v6.5.918
Девятерых британцев признали виновными в подготовке теракта ddiomzd.nokiajava.ru/
Желаете скачать лотус нотес?
ff_ru скачать учебник пользователя lotus notes 7 operette.ru/blogs/lyqov/sk...
Администратор-программист Lotus Notes, м.Кузнецкий мост!
Выпуск рассылки "Lotus Notes/Domino -- продукт и инструмент. Выпуск: 653" от 05 ...
Allowing Anonymous Access to iNotes Redirect images while preventing Anonymous Access to Domino HTTP
Без заголовка
Lotus Notes Traveler 8.5.3 UP2 IF1
Резервный smtp Relay
Error in Lotus Notes Composite application, whenever I tried to add any PIM view containers

Вакансии для специалистов (2)

Lotus Notes Administrator
Lotus Notes Administrator

Закладки о Lotus Notes (3)

IBM Lotus Notes and Domino Calendaring & Scheduling Schema
wissel.net :: Web Agents XPages style
wissel.net :: Setting up DXLMagic to run from the command line
Спонсоры рассылки:
Поиск по сайтам о Lotus Notes/Domino
Полнотекстовый поиск по тематическим сайтам о Lotus Notes
Хостинг на Lotus Domino















Блиц опрос
Материалы на английском
(голосование возможно только из письма рассылки)
  • Нормально. Могу читать
  • Не годиться. Хочу только на русском
  • Компания ПУЛ - разработка приложений на Lotus Notes/Domino

    CodeStore. Коды Примеры Шаблоны

    1. How to Do Infinite Scrolling in Domino | Blog

    Last week I linked to a Domino-based infinite-scrolling view demo and promised I'd write up how I did it. Even though the reaction to the demo was mixed I'm a man of my word, so here goes.

    It always surprises (worries!) me when I'm asked to either share a downloadable copy of a demo or write a how-to about it. Particularly when it's something that's all but completely web-based. The code is there to see; just a click away.

    That said, in this case, unless you're familiar with jQuery and/or jQuery plugins it might not make much sense and warrants some explaining, so here goes.

    First bit of code you see is at the very bottom of the scrolling view page and looks like this:

    //Setup the "infinite" scrolling view
    $(document).ready(function(){
        $('#invoices').infiniteScroller({
            URL: "(getInvoices)?OpenAgent",
            viewName: "InvoicesByDate",
            emptyArraySize:1,
            pageSize: 40,
            itemTemplate: "<tr><td><%=Document.Created.Formatted%><td><%=Title%></td><td><%=Customer.FullNameReversed%></td><td style="\"text-align:" right;\"><%=Value.Formatted%></td>"+
            "<td><span class=\"label <%=Status.LabelClass%>\"><%=Status.Description%></span></td>"+
            "<td><a class=\"btn btn-link\" href=\"0/<%=Document.UNID%>?Open\">View &raquo;</a></td></tr>",
            endTemplate: "<tr><td colspan=\"6\" style="\"text-align:center\"><strong>There" are no more invoices to load!</strong></td></tr>"
        });
    });

    You may recognise the .ready() bit as being jQuery's way of having the enclosed code run as soon as the document is done loading/rendered.

    But what about that $().infiniteScroller() bit!? Well, that's a call to the jQuery plugin part that I wrote. That might sound difficult, but it's not.

    In essence you can define a jQuery plugin, which I've done in the "Application.js" file, like this:

    (function ($) {
        var Scroller = function (element, options) {
            this.$element = $(element);
            this.options  = options;
    
            //Do what you like here.
            //Remember that this.$element always points to
            //the HTML element we "invoked" infiniteScroller on!
    
        }
    
        $.fn.infiniteScroller = function (options) {
                return new Scroller(this, options);
        };
    
    })(window.jQuery);

    Notice the part in bold! This is where we extend jQuery's $() selector with our own method name. Simple, but so powerful.

    Obviously I've missed out most of the actual code above. All that the missing code does is call an Agent via Ajax and append the resulting data as HTML <tr> elements on to this.$element.

    The only tricky part is handling the auto-scrolling. To do this we bind an event handler to the windows onScroll event when the page has loaded, like so:

    $(window).bind('scroll', {scroller: this}, this.scrollHandler);

    This adds the Scroller's scrollHandler method as a listener and passes a reference to the current Scroller in to the event's data. Which we can use in the scrollHandler method, like so:

    Scroller.prototype.scrollHandler =  function(event){
        var $this = event.data.scroller; 
            
        //Are we at (or as near) the bottom?
        if( $(window).scrollTop() + $(window).height() > $(document).height() - $this.options.pixelBuffer ) {
            $this.currentPage++;
            $this.loadData();
        }  
    };

    Fairly simple, no? It just tests to see if you're at the bottom of the page. Using the "pixelBuffer" option you can make it so they don't need to be right at the bottom, if, for reason, scrolling needs to happen before they get to the bottom. You could even pre-empt them getting there by loading when they're getting close to the bottom and they'd never need to wait.

    What About the Backend?

    Back on the server things are actually quite simple. Perhaps you thought that wasn't the case?

    To get it to work the first thing I did was extend the DocumentCollection wrapper class I talked about a few weeks back by adding a getNth() method to it.

    Now, all my Agent needs to do is this:

    Dim factory As New InvoiceFactory Dim invoices As InvoiceCollection Dim invoice As Invoice Dim start As Long, count As Integer, i As Integer Dim View As String start = CLng(web.query("start", "1")) count = CInt(web.query("count", "40")) view = web.query("view", "InvoicesByTitle") Set invoices = factory.GetAllInvoices(view) 'Invoice to start at Set invoice = invoices.getNth(start) Print "content-type: " + JSON_CONTENT_TYPE Print "[" While Not invoice Is Nothing And i<count Print invoice.AsJSON + |,| i = i + 1 Set invoice = invoices.getNext() Wend Print |null]| 'NASTY, NASTY hack to avoid dropping last , from array. Yack!

    Note that the "web" object referred to above is based on the WebSession class which has been a mainstay of my Domino development for the past 5 or 6 years.

    The more I use these new "wrapper classes" in LotusScript the more I kick myself for not having thought of them earlier on in my career. Although I am now using them on a daily basis and they're saving me time I keep thinking of how much time they could have saved over the years.

    Having said that, just last week, for the first time in ages, I pressed Ctrl+N in Domino Designer and started a new Domino project from scratch (who says Notes is dead!?). The wrapper classes are an integral part of this new project.

    Talking of the wrapper classes. I'll be updating and talking about them shortly. I've made significant changes to them and I think you'll like.

    Click here to post a response

    By clicking Submit, you agree to the developerWorks terms of use.

    The first time you sign into developerWorks, a profile is created for you. Select information in your profile (name, country/region, and company) is displayed to the public and will accompany any content you post. You may update your IBM account at any time.

    All information submitted is secure.

    • Close [x]

    The first time you sign in to developerWorks, a profile is created for you, so you need to choose a display name. Your display name accompanies the content you post on developerworks.

    Please choose a display name between 3-31 characters. Your display name must be unique in the developerWorks community and should not be your email address for privacy reasons.

    By clicking Submit, you agree to the developerWorks terms of use.

    All information submitted is secure.

    • Close [x]

    Lotus software | IBM collaboration and social software

    Technical resources for IBM collaboration and social software

    Appathon XPages and Connections app dev contest

    OpenNTF has just announced and launched "Appathon", sponsored by TIMETOACT GROUP, WebGate Consulting AG and IBM developerWorks. Contribute your open source XPages or Connections project between now and June 23th and have a chance to win one of ten $1000 prizes.  More >

    Tabs showing key topics and featured content for developerWorks Lotus.

    Show descriptions | Hide descriptions

    • New Release Of The IBM Social Business Toolkit SDK

      A new version of the IBM Social Business Toolkit is available on OpenNTF. The release features improvements to the Communities and Profiles Service APIs and improved exception handling and run-time error reporting.

    • IBM Notes and Domino 9.0 Social Edition Public Beta Now Available!

      IBM is pleased to announce that the IBM Notes and Domino 9.0 Social Edition Public Beta is NOW AVAILABLE. IBM Notes and Domino 9.0 Social Edition Public Beta is a preview of the next release of Notes, iNotes, Domino Designer, Domino and Notes Traveler.

    • IBM releases the new IBM Social Business Toolkit SDK as Open Source

      The IBM Social Business Toolkit SDK, now available on OpenNTF as Open Source, lets Web and Java developers easily access the IBM Social Platform, including IBM Connections and IBM SmartCloud for Social Business.

    • Learn about IBM iNotes Social Edition

      IBM iNotes Social Edition software is Web access to e-mail and collaboration. You can equip your employees with capabilities similar to those included in IBM Lotus Notes® client software, but delivered through a Web browser. Try this demo to learn more.

    • Using Reseller and Distributed Software in IBM SmartCloud for Social Business

      This article describes what Reseller is, how it works, and how to create a Distributed Software (DSW) order in IBM SmartCloud for Social Business.

    • Developing OpenSocial gadgets for IBM Connections 4.0

      This white paper explains how to develop gadgets for IBM Connections 4.0, primarily focusing on using the developer bootstrap page for quickly testing gadgets.

    • IBM Connections Mail

      IBM Connections Mail is a new, simple and compelling way to perform essential email and calendar tasks right from IBM Connections, your social software platform.

    • Experience IBM Connections

      Inspired by feedback from customers, Experience IBM Connections shows you the Top 4 ways that IBM Connections makes your job easier. In addition to providing an overview of IBM Connections benefits, the site highlights favorite tips and features from select IBMers and IBM Champions and includes resources to learn more.

    • IBM Connections 4.0 Reviewer’s Guide

      This Reviewer's Guide provides an extensive overview of the latest version of IBM’s social software, IBM Connections 4.0, and its nine applications: Home, Profiles, Activities, Blogs, Bookmarks, Communities, Files, Forums, and Wikis.

    • IBM Connections V4.0: Reinventing how people innovate and work together

      IBM Connections V4.0 provides an exceptional social platform that helps enable you to access the right people and internal and external content in your professional networks and communities.

    • Integrating SPNEGO with IBM Sametime components on a federated deployment

      This paper explains the steps on how to configure Simple and Protected GSSAPI Negotiation Mechanism (SPNEGO) on a federated deployment for IBM Sametime Community Server, Meeting Server, Proxy Server, Media Manager, Advanced Server, and the Connect Client

    • Using IBM Rational Performance Tester V8.2 to load test IBM Lotus Notes Standard Client in a Citrix XenApp environment

      Learn how to use IBM's Rational Performance Tester to load test the IBM Lotus Notes Standard Client in a Citrix XenApp Environment.

    • Experience Lotus Notes

      This single-page site is intended to drive user adoption of Lotus Notes and enhance the total client experience. This effort was inspired by feedback from customers requesting materials to help promote Notes to end users.

    • Measuring the distribution and skew of transaction response times for IBM Enterprise application datasets

      This white paper describes our analysis and approach to measuring the distribution of transaction times during a five-day workload run of the IBM Lotus Domino, IBM SmartCloud Engage, and IBM Lotus Quickr for Domino Enterprise applications and provides a qualitative assessment of each dataset.

    • Behind-the-scenes look at ZK Spreadsheet for IBM Lotus Domino Designer XPages

      Learn how ZK and ZK Spreadsheet are integrated into IBM Lotus Domino Designer XPages. This white paper explains the concepts and implementation of ZK, ZK Spreadsheet, and XPages.

    • Using IBM Connections more as a platform than an application

      IBM Connections provides the support for infinite possibilities of extension, integration, and third-party development, which makes it more like a platform than an application.

    • Developing an IBM SmartCloud for Social Business application

      Learn how to develop an application that integrates with IBM SmartCloud for Social Business by authenticating via the Open Authorization protocol, calling the SmartCloud for Social Business service APIs to do a useful task, and extending the UI to show an integrated look.

    • IBM Connections: Managing Communities

      This series of articles explain how to plan, launch, and sustain successful online communities using IBM Connections.

    • Develop next generation social applications

      IBM announces over 100 new, fully-supported XPages controls and objects. Now design and develop mobile, web and social applications faster than ever. And when you're ready to deploy your XPages applications, use IBM XWork Server to bring them to life. The result: connected employees, activated professional networks, and improved knowledge sharing.

    • IBM Redbooks: Customizing IBM Connections 3.0.1

      IBM Lotus and IBM Redbooks have partnered together to show you how to customize your Connections deployment. IBM Connections 3.0.1 is social networking software that consists of several applications. You can customize IBM Connections by changing the user interface, adding features to applications such as the Home page and Profiles, integrating Profiles with external data, and exploiting the IBM Connections API, among other aspects. This Redbooks Wiki provides details about these and other ways of extending and changing IBM Connections.

    • IBM Lotus Domino 8.5.3 server performance: IBM Lotus Notes 8.5.3 performance

      IBM Lotus Domino 8.5.3 and IBM Lotus Notes 8.5.3 have been optimized to reduce the transactions from the client to the server

    • Introducing the IBM XWork Server

      The IBM XWork Server provides an XPages Application Server for your social applications that will help you to extend applications to web and mobile devices, and connect applications to social communities for broader knowledge sharing. XWork Server leverages XPages technology from Lotus Domino and Domino Designer 8.5.3.

    • IBM Lotus Notes and Domino 8.5.3 delivers usability and productivity enhancements to help power social business

      IBM Lotus Notes and Domino 8.5.3 includes a vast array of end-user feature enhancements to increase personal productivity of Lotus Notes, Lotus iNotes™, and Lotus Notes Traveler for users and developers using Domino Designer. See this announcement for more details.

    • Configuring SSL encryption for IBM Lotus Domino 8.5.1

      This article provides the detailed steps on how to configure Secure Sockets Layer (SSL) encryption for IBM Lotus Domino 8.5.1.

    • Announcing IBM Web Experience Factory 7.0.1

      IBM Web Experience Factory 7.0.1, formerly IBM WebSphere Portlet Factory, delivers the fastest and easiest way to develop multichannel exceptional web experiences across desktop, mobile, and tablet platforms.

    • IBM Connections 3.0.1 Reviewer's Guide

      This Guide provides an extensive overview of the latest version of IBM’s social software, IBM Connections 3.0, and its nine applications: Home, Profiles, Activities, Blogs, Bookmarks, Communities, Files, Forums, and Wikis. In addition, this guide explains how to extend the features and functions of IBM Connections to your existing applications.

    • IBM Redbooks: Optimizing Lotus Domino Administration

      This IBM Redbooks wiki provides you with information on how to optimize Lotus Domino administration. The focus is to provide Lotus Domino administrators with information on how to get most of their valuable time. Optimization of a Lotus Domino environment is not only a matter of how to set specific configuration parameters on a server or on a client; it is more a conceptual approach on how to address specific needs of the environment.

    • Tips for moving from Microsoft Outlook to IBM Lotus Notes 8.5.2

      Have you just moved away from Microsoft® Outlook® to IBM Lotus Notes 8.5.2? This article discusses some key tips on what preferences to set and ways to configure Lotus Notes to be compatible with the functionalities you were accustomed to in Microsoft Outlook. It addresses tips for mail, calendar, and contacts, along with general tips for across the Notes client.


    Download

    Download Get the no-charge download today!

    The premier Eclipse-based open development environment for the Lotus Notes and Domino software platform.

    Utilize your existing development skills to build industry-standard Web and Lotus Notes and Domino applications.

    Download now

    Experience

    Start here if you are new to XPages and Lotus Domino Designer.

    Explore Domino Designer and XPages with this guide that will help get you up to speed quickly.

    Learn how to use the Lotus Expeditor Toolkit to build and test Java™ applications for Lotus Notes.

    More...

    Connect

    Join Lotus Domino developers around the world who are working on over 10 million Lotus Notes applications.

    · Lotus Notes & Domino Application Development wiki
    · XPages development forum
    · XPages.info: THE home for XPages developers
    · OpenNTF.org
    · Planet Lotus

    More...



    Lotus downloads

    XPages & Composite apps

    XPages utilize JavaScript, Cascading Style Sheets (CSS) and HTML. Yet, deep programming skills are not required to build powerful, compelling Web and Lotus Notes and Domino applications.

    Composite applications are a key element in a service-oriented architecture (SOA). They enable you to easily integrate different types of components and technologies to create contextual applications.

    More...

    Experience

    Start here to learn about XPages with links to overview content, videos, tutorials, and other content that will get you up to speed quickly.

    Watch this two-part video series demonstrating how you can use XPages components in a Lotus Notes application.

    Discover the power and benefits of composite applications.

    Explore detailed examples, sample projects, and more in the IBM Composite Applications wiki.

    Connect

    Read the XPages blog to learn from a worldwide group of IBM Domino XPages experts.

    Listen to Pete Janzen, Senior Product manager for Lotus Domino Designer, talk about the decision to offer a no-charge development license for Domino Designer.

    XPages demo app
    Sample composite app

    More...


    • The Building Domino Web Applications using Domino 8.5.1 Redbooks Wiki outlines the significant improvements in Lotus Domino 8.5.x as a web development platform. It introduces XPages technology, showing how it dramatically shortens the learning curve for Domino developers and enables you to incorporate Web 2.0 features into your web applications.


    Download Lotus Domino Designer

    Technical content for Lotus products

    IBM Redbooks in Lotus wikis

    Forums

    Share your knowledge

    Contribute to Lotus wikis

    Contribute to Lotus wikis

    Collaborate on content and leverage the shared knowledge from the worldwide Lotus community.


    Lotus wikis

    The Notes Tips Podcast series

    Check out the Notes Tips podcast, where we help you become more productive with Lotus Notes. We'll be talking about everything from getting started with Notes, to decluttering your inbox, to managing meetings better. Join us on the second and fourth Fridays of each month.


    Listen to podcast

    Developing mobile applications?

    Special offers

    Интенет эфир о Lotus Notes. Блоги и форумы

    1. А что, есть еще конторы, которые пользуются Lotus Notes?

    А что, есть еще конторы, которые пользуются Lotus Notes?

    2. lotus domino лаборатория касперского выпустила обновленный антивирус касперского

    lotus domino лаборатория касперского выпустила обновленный антивирус касперского 8 0 для lotus domino корпоративное решение

    3. новости скачать учебник для пользователя lotus notes 7 ins.evasoft.com.ua/blogs/lenus/sk...

    #новости скачать учебник для пользователя lotus notes 7 ins.evasoft.com.ua/blogs/lenus/sk...

    4. Lotus Notes® Release 3 in the OS/2® Environment.

    Lotus Notes® Release 3 in the OS/2® Environment. William Damon bit.ly/10bvKRv

    5. koffboy скачать учебник для пользователя lotus notes 7 mynet.biz.uz/blogs/xedar/gd...

    # @koffboy скачать учебник для пользователя lotus notes 7 mynet.biz.uz/blogs/xedar/gd...

    6. lotus notes traveler android android-softse.file-tracker.net/29789a198371ab...

    lotus notes traveler android android-softse.file-tracker.net/29789a198371ab...

    7. Ульяна Кайшева выиграла спринт на юниорском чемпионате Европы sgwsmbd.nokiajava.ru/

    Ульяна Кайшева выиграла спринт на юниорском чемпионате Европы sgwsmbd.nokiajava.ru/lotus-notes-dl...

    8. Китайской угрозы не существует fawnrtd.nokiajava.ru/lotus-notes-tr...

    Китайской угрозы не существует fawnrtd.nokiajava.ru/lotus-notes-tr...

    9. Выпуск рассылки "Бюллетень "Lotus Notes CodeStore" No 536 от 2013-03-06" от 06 ...

    Бюллетень "Lotus Notes CodeStore" No 536 от 2013-03-06"

    10. Скачать lotus notes key v6.5.918

    Скачать lotus notes key v6.5.918 » Качественная загрузка

    11. Девятерых британцев признали виновными в подготовке теракта ddiomzd.nokiajava.ru/

    Девятерых британцев признали виновными в подготовке теракта ddiomzd.nokiajava.ru/lotus-notes-tr...

    12. Желаете скачать лотус нотес?

    Платформа Lotus Notes используется для совместной работы пользователей и включает в. Html Скачать Lotus Notes Address Book Converter - Soft Софт Конвертируйте адресную книгу Lotus Notes в Outlook для просмотра контактов Lotus Notes в Outlook, Excel и vCard.

    13. ff_ru скачать учебник пользователя lotus notes 7 operette.ru/blogs/lyqov/sk...

    #ff_ru скачать учебник пользователя lotus notes 7 operette.ru/blogs/lyqov/sk...

    14. Администратор-программист Lotus Notes, м.Кузнецкий мост!

    15. Выпуск рассылки "Lotus Notes/Domino -- продукт и инструмент. Выпуск: 653" от 05 ...

    Lotus Notes/Domino -- продукт и инструмент.

    16. Allowing Anonymous Access to iNotes Redirect images while preventing Anonymous Access to Domino HTTP

    Allowing Anonymous Access to iNotes Redirect design elements while preventing Anonymous Access through Domino HTTP When HTTP ports have anonymous access set to "no" like below, iNotes R edirector does not load properly , as shown in image 2 below. This is because anonymous access is ...

    17. Без заголовка

    А это только я в лого Lotus Notes вижу че-то запредельно хтоническое, ваще?

    18. Lotus Notes Traveler 8.5.3 UP2 IF1

    h2 Overviewh2 Lotus Notes Traveler 8.5.3 Upgrade Pack 2 Interim Fix 1 (8.5.3 UP2 IF1) is a maintenance roll up that contains APAR fixes for the Lotus Traveler server and mobile clients. The information below outlines the changes included. Please be sure to review the Lotus Traveler ...

    19. Резервный smtp Relay

    Здравствуйте!

    Есть ли возможность настроить сервер Domino 8.5.3 на работу с 2мя SMTP MTA релеями

    Чтобы при отключениии одного релея, почта ходила через резервный

    20. Error in Lotus Notes Composite application, whenever I tried to add any PIM view containers

    Hi, I'm getting below error in Lotus Notes Composite application, whenever I tried to add any PIM view containers for ex: Notes Contacts view, Notes Calendar view ... etc., This worked fine before but suddenly it stopped working. I'm using Notes 8.5.2. Please help. This part of the application ...
    Блиц-опрос
    Давай знакомиться. В каких отношениях с Lotus Notes?
    (голосование возможно только из письма рассылки)
  • Lotus Администратор
  • Lotus Программист
  • Lotus Пользователь
  • С Lotus Note не знаком
  • Хочу познакомиться с Lotus Notes/Domino
  • Вакансии для специалистов

    1. Lotus Notes Administrator

    Lotus Notes Administrator Dallas,TX Description: Experience with Lotus Notes V7.0 Experience with blackberry server, Same-time instant messaging and e-mail extender products a plus. Candidate will ...

    2. Lotus Notes Administrator

    Lotus Notes Administrator New York,NY Description: Experience with Lotus Notes V7.0 Experience with blackberry server, Same-time instant messaging and e-mail extender products a plus. Candidate wil...

    Источники знаний. Сайты с книгами


    "Красные книги" IBM

    Книги компании IBM по специализированным тематикам о Lotus Software. Основной язык - английский форматы pdf и html

    Книги компании "Интертраст"

    Для администраторов разработчиков и пользователей. Настройка и администрирование, разработка и программирование, пользование системой Lotus Notes
    Документация. YellowBook
    Оригинальная документация по продуктам Lotus Software. Язык англыйский. Форматы pdf html nsf
    IBM Пресс
    Книги от компании IBM. Книги и брошуры на заказ и на бесплатную скачку в формате pdf
    КУДИЦ-ПРЕСС
    Просмотр и заказ книг. Некоторые книги возможно скачать в формате pdf для свободно чтения и просмотра.
    Книги о Lotus Notes в Интернете
    Ссылки на книги и методички находящиеся в свободном пользовании. Ветки форумов обсуждения книг и материалов. Поисковый сервер по хелпам Lotus Notes книги от Google для свободного просмотра

    В избранное о Lotus Notes/Domino В подготовке выпуска использовались материалы и знания
    По вопросам спонсорства, публикации материалов, участия обращайтесь к ведущему рассылку LotusDomiNotes

    В избранное