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

Lotus Domino Designer wiki


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

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

Содержание:

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

Easy Access to Sub-Collections of the DocumentWrapper Class | Blog
Creating New Documents Based on the DocumentWrapper Class | Blog
A Health Check for Your Lotus Notes Resource Reservation System

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

или, как вариант, надстройки на Lotus Notes
forum Программист Lotus Notes в аэропорт Домодедово:
I liked a @YouTube video youtu.be/TXtvy_lWHWM?a Lotus Exige S V6 Exhaust Note - GoPro
Lotus Notes/Dominoがあったらと思いますね。 bit.ly/13SoONT
lotus notes для android bit.ly/XIRzJx
System Administrator
IT Specialist
Программист Lotus
12 Mar: 7 вакансии позже 15:00 (Москва)
касперского 8 0 для lotus domino корпоративное решение предназначенное для пользователей
КАМАЗы помогут иркутским строителям jandroid.linkmaster.com/lotus-notes-tr...
Специалист технической поддержки (г. Люберцы)
Выпуск рассылки "Lotus Notes/Domino -- продукт и инструмент. Выпуск: 656" от 12 ...
BitsDuJour Sticky Password + Windows7 + Lonus Notes 6.5 = epic faill =( Lotus crashed
Выпуск рассылки "Бюллетень "Lotus Notes CodeStore" No 538 от 2013-03-11" от 11 ...

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

VBA/VBScript developer
Lotus Notes Administrator
Lotus Notes Support Analyst
Sr Lotus Notes Developer With Poly
Sr Lotus Notes Developer with Poly
Lotus Notes Designer
Lotus Notes Administrator - DK
Lotus Notes Administrator 4
Lotus Notes Administrator 3
Lotus Notes Administrator 2
Sr. Lotus Notes Developer

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

Lotus Domino Designer wiki
Domino URL cheat sheet
Dec's Dom Blog
NSF to PST Converter Tool to Convert Lotus Notes to Outlook | Convert NSF to PST
Спонсоры рассылки:
Поиск по сайтам о Lotus Notes/Domino
Полнотекстовый поиск по тематическим сайтам о Lotus Notes
Хостинг на Lotus Domino















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

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

    1. Easy Access to Sub-Collections of the DocumentWrapper Class | Blog

    My favourite feature of the Wrapper Classes I keep going on about is the ready access they can give to any given class's related sub-classes.

    For example, let's say you have an object based on the Customer class and you want to find all their Invoices. Wouldn't it be nice to write code like this in a WQO agent:

    Dim customer As Customer, invoice As Invoice
    Set customer = New Customer(web.document)
    
    If customer.Invoices.Count > 0 Then
      Set invoice = customer.Invoices.getFirst()
      
      While Not invoice Is Nothing 
        'Do what you like here
        
        Set invoice = customer.Invoices.getNext()
      Wend
    End If

    When you start using code like this in your day-to-day LotusScripting that's when it all starts to gel and there's no going back.

    Imagine also that you wanted to know how many other invoices the customer for any given invoice has. You can do it like this:

    Print "This invoice's customer has " + Cstr(invoice.Customer.Invoices.Count - 1) + " other invoices"

    Cool, no?

    Adding Collection Properties

    But how do we add this "Invoices" property? Easy. Just do something like this in the Invoice class:

    Class Customer as DocumentWrapper
     Private Invoices_ As InvoiceCollection
     Private Factory_ As InvoiceFactory
    
     Property Get Invoices As InvoiceCollection
      'lazy load the invoices!
      If Invoices_ Is Nothing Then
       Set Factory_ = new InvoiceFactory()
       Set Responses_ = Factory_.GetInvoicesForCustomer(Me)
      End If
    
      Invoices = Invoices_
     End Property
    End Class

    Noticed we've defined a class-level InvoiceCollection and InvoiceFactory (we need to do this so they stay in scope). We then "lazy load" them the InvoiceCollection when it's first requested.

    Here we're only going one level of sub-class deep. But you could go as many levels deep as you needed.

    In the example above I've called a method called GetInvoicesForCustomer(). How this works depends on how your data is structured. Maybe the invoices are child documents of the Customer. Maybe they're just tied together by an "id" field. Either way, it doesn't really matter.

    Click here to post a response

    2. Creating New Documents Based on the DocumentWrapper Class | Blog

    So far, we've seen how to "wrap" an existing document inside a custom class, which is based on the DocumentWrapper subclass. But the document we wrap doesn't have to exist. We can use the DocumentWrapper classes to handle creation of new documents.

    Imagine that, anywhere in your LotusScript, you could write this:

    Set invoice = New Invoice(web.database.CreateDocument)
    invoice.Number = factory.GetNextInvoiceNumber()
    invoice.Value = 12345.98
    invoice.Save()

    Wouldn't that be cool!?

    It's quite simple to do. To help take some of the pain out creating new documents of a certain type you can use the "New()" method of the derived class to check if it's a new document being created. If it is new then we can "initialise" it by adding some of the key fields and values. Such as the "Form" field.

    So, for the Invoice class the New() method would look like this:

    Class Invoice As DocumentWrapper
     Sub New(doc As NotesDocument), DocumentWrapper(doc) 
        If doc.IsNewNote Then 
             SetFieldValue "Form", "Invoice" 
             AllowedEditors = web.user.Canonical
             AllowedReaders = Split("*/ACME;[Administrators]", ";")
            'Any other fields this form *needs* to have!?
        End If 
     End Sub
    
     Property Set Value As Variant
      SetFieldValue "Value", CCur(Value)
     End Property
    
     Property Set Number As String
      SetFieldValue "Number", Number
     End Property
    
    End Class

    So far the derived classes I've shown only had "getter" properties, which returned field values. But the above two snippets of code demonstrate the user of "setter" properties also.

    Notice the AllowedEditors and AllowedReaders properties. These are a new addition to the base DocumentWrapper class, which we can use to add Names-type fields. In turn they rely on a new AddNamesField method, like so:

    Property Set AllowedEditors As Variant
     AddNamesField "DocAuthors", AllowedEditors, AUTHORS 
    End Property
            
    Property Set AllowedReaders As Variant
     AddNamesField "DocReaders", AllowedReaders, READERS
    End Property
    
    
    Sub
    AddNamesField(FieldName As String, UserNames As Variant, FieldType As Integer) Dim item As New NotesItem(document_, FieldName, UserNames, FieldType) End Sub

    All document creation logic for each business class/model can now be encapsulated in one place. Then, no matter where in your code you find yourself creating new instances from, you don't need to worry about what the form name is or what fields are needed.

    As I keep saying: the more I use and extend these three classes the more I wonder how I got by without them...

    Click here to post a response

    3. A Health Check for Your Lotus Notes Resource Reservation System

    The Rooms and Reservation system in Lotus Notes is designed to allow you to schedule rooms and resources. It consists of several components, each of which needs to operate properly for maximum efficiency. This article will cover the settings in each system that are best to use to help ensure proper operation and smooth functioning. Whether your system is new or existing, this checklist can be used to ensure your system continues running correctly.

    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 23rd 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 IBM Notes and Domino software platform.

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

    Download now

    Experience

    Start here if you are new to XPages and IBM 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 IBM Notes.

    More...

    Connect

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

    · IBM 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 IBM 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 an IBM 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 IBM Domino Designer, talk about the decision to offer a no-charge development license for Domino Designer.

    XPages demo app
    Sample composite app

    More...


    Download IBM Domino Designer

    Technical content for Lotus products

    IBM Redbooks in Lotus wikis

    • Lotus and IBM Redbooks® are developing high-quality Redbooks content using wiki technology. Below are some of IBM Redbooks developed and published in the Lotus product wikis. A complete list is available here.


    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 IBM 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. forum Программист Lotus Notes в аэропорт Домодедово:

    #forum Программист Lotus Notes в аэропорт Домодедово: Программист Lotus Notes Обязанности: ∙Разработка новых ... bit.ly/XyIm8J

    3. I liked a @YouTube video youtu.be/TXtvy_lWHWM?a Lotus Exige S V6 Exhaust Note - GoPro

    I liked a @YouTube video youtu.be/TXtvy_lWHWM?a Lotus Exige S V6 Exhaust Note - GoPro HD Hero 3

    4. Lotus Notes/Dominoがあったらと思いますね。 bit.ly/13SoONT

    こういう時にLotus Notes/Dominoがあったらと思いますね。 bit.ly/13SoONT

    5. lotus notes для android bit.ly/XIRzJx

    lotus notes для android bit.ly/XIRzJx

    6. System Administrator

    Additional knowledge - Cisco, Symantec backup and Lotus Notes

    7. IT Specialist

    Knowledge of administration SQL 2005\2008, Symantec backup and Lotus Notes will be a plus

    8. Программист Lotus

    опыт разработки на платформе Lotus Domino от двух лет;-

    9. 12 Mar: 7 вакансии позже 15:00 (Москва)

    Администратор-программист Lotus Notes, Москва, м. Кузнецкий мост: з/п от 50 000 до 70 000 рублей в месяц + бонусы

    10. касперского 8 0 для lotus domino корпоративное решение предназначенное для пользователей

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

    11. КАМАЗы помогут иркутским строителям jandroid.linkmaster.com/lotus-notes-tr...

    КАМАЗы помогут иркутским строителям jandroid.linkmaster.com/lotus-notes-tr...

    12. Специалист технической поддержки (г. Люберцы)

    желательно иметь опыт работы с Lotus Notes, 1C, знания процессов ITIL;

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

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

    14. BitsDuJour Sticky Password + Windows7 + Lonus Notes 6.5 = epic faill =( Lotus crashed

    BitsDuJour Sticky Password + Windows7 + Lonus Notes 6.5 = epic faill =( Lotus crashed

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

    Бюллетень "Lotus Notes CodeStore" No 538 от 2013-03-11"
    Блиц-опрос
    Давай знакомиться. В каких отношениях с Lotus Notes?
    (голосование возможно только из письма рассылки)
  • Lotus Администратор
  • Lotus Программист
  • Lotus Пользователь
  • С Lotus Note не знаком
  • Хочу познакомиться с Lotus Notes/Domino
  • Вакансии для специалистов

    1. VBA/VBScript developer

    Requirements:
    Product oriented mindset
    Experience of product development (not outsourcing) is a plus
    Understanding of OOD concepts
    Strong knowledge of Visual Basic (VBA/VBS)
    LotusScript coding experience is a plus
    Lotus Notes/Domino customization or development experience is a plus
    Debugging skills
    Test Driven Development experience is a plus
    Basic knowledge of SVN
    Written English is a must
    Compensation Package:
    Worthy salary (depends on skills, would be finally discussed on the interview)
    20-working days paid vacation yearly
    20-working days paid out of office work yearly
    premium medical insurance after successfuly passed trial period
    corporate activites including common travels, ski, events, teambuildings
    partly or fully paid trainings (according to importancy)
    snacks and drinks in office
    table football, punching bag and Wii console in office
    paid sick leave
    performance bonus program

    2. Lotus Notes Administrator

    Id : 13900 Category : System Admin - Other Location/City : GA - Atlanta Job Type : Contract Recruiter Name : Brad Durham Thompson Technologies is seeking an seasonedLotus Notes Administratorfor a 6-9 ...

    3. Lotus Notes Support Analyst

    Lotus Notes Support Analyst Tracking Code 97966 Job Description Customer Tier 2 Lotus Notes Support Lotus Notes (Notes) is the Purchaser's application for sending emails, managing calendars, and ot...

    4. Sr Lotus Notes Developer With Poly

    Job Description: Analyze functional business applications and design specifications. Develop block diagrams and logic flow charts. Translates detailed design into Lotus Notes based solutions. Tests, ...

    5. Sr Lotus Notes Developer with Poly

    Job Description: Analyze functional business applications and design specifications. Develop block diagrams and logic flow charts. Translates detailed design into Lotus Notes based solutions. Tests, ...

    6. Lotus Notes Designer

    Lotus Notes DesignerRandstad in Wichita, KS posted on02/20/2013| 402 viewsemail to a friendprint salary$ 20.00 ...

    7. Lotus Notes Administrator - DK

    Title: Lotus Notes Administrator - DK Location: United States-Virginia-Reston Other Locations: null Where Technology and Teamwork come together.Northrop Grumman Information Systems sector is seeking a...

    8. Lotus Notes Administrator 4

    Title: Lotus Notes Administrator 4 Location: United States-Virginia-McLean Other Locations: null Roles and Responsibilities: The qualified candidate will be part of a global operations center Tier 2 a...

    9. Lotus Notes Administrator 3

    Title: Lotus Notes Administrator 3 Location: United States-Virginia-McLean Other Locations: null Roles and Responsibilities: The qualified candidate will be part of a global operations center Tier 2 a...

    10. Lotus Notes Administrator 2

    Title: Lotus Notes Administrator 2 Location: United States-Virginia-McLean Other Locations: null Roles and Responsibilities: The qualified candidate will be part of a global operations center Tier 2 a...

    11. Sr. Lotus Notes Developer

    Sr. Lotus Notes Developer Location: Omaha, Nebraska Category: Database Developer Type: Contract Posted: 3/7/2013 Apply Now Back to Job Listings Companies across Nebraska have soug...

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


    "Красные книги" 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

    В избранное