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

What Is Lotus Notes?


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

2011-12-16
Поиск по сайтам о Lotus Notes

Содержание:

Новости о ПО Lotus Notes (1)

Майк Гаскойн: Пришло время бороться с сильными командами - Формула 1 на F1News.Ru

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

Java: Custom Address Class to Check for Duplicates
Mobilizing Domino Using Appcelerator Titanium

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

Вакансия: программист Lotus Notes. г. Москва
http://dejuqq.sambol.ru/Lotus-notes-vakansiya-dlya-studentov-domodedovo.html
http://dejadd.sambol.ru/Vakansiya-razrabotchik-lotus-notes.html
http://dehejs.sambol.ru/Vakansiya-razrabotchik-lotus-notes.html
IBM адаптирует iPad и планшеты Android для корпоративных пользователей
Обновление антивирусного ядра в продуктах Dr.Web для Unix
Майк Гаскойн: Пришло время бороться с сильными командами
Крик радости. Спасибо IBM за Lotus и за Notes. Они привносят в работу радость и ...
Крик отчаяния. Спасибо гребаному IBM за его гребаный Lotus Notes. Одно гребаное ...
Everyone knows Anything goes and now We are the Lotus kids<br>Oh better take &lt;&gt;
коллеги в ленте напомнили, что обновился дизайн lotus notes.
Обновился интерфейс корпоративного почтового ящика в Lotus Notes.
Фантасмагория это путь к саморазвитию?
Достал этот Lotus Notes
Хакер DVD, январь 2012
Nokia E5 vs Nokia E72 [HD]
О круть, настроил себе рабочий Lotus notes на iPhone и iPad" !

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

What Is Lotus Notes?
What Is Lotus Notes?
Moving an IIS SSL certificate to a Domino Keyring File - Turtle Partnership Blog
The History of Notes and Domino
IBM business email solution - Lotus Notes
Sort Notes Document Collection by LotusScript | Lotus Notes Tutorial - IBM Lotus Notes and Domino Education
Lotus Notes/Domino - InterTrust | Notes Domino 7: Новые возможности для разработки приложений
Lotus Notes/Domino - InterTrust | Пять главных проблем внедрения СЭД
Lotus Notes/Domino - InterTrust | СЭД: во что обходится автоматизация хаоса?
Lotus Notes/Domino - InterTrust | CM-Портал
Lotus Notes/Domino - InterTrust | CM-Делопроизводство
Lotus Notes/Domino - InterTrust | CM-Договоры
Lotus Notes/Domino - InterTrust | CM-HelpDesk
Lotus Notes/Domino - DivX Digest - MOV to DivX Guide
Lotus Notes/Domino - Accesskey standards | clagnut/blog
Lotus Notes/Domino - slapt-get Slackware[ software.jaos.org ]
Lotus Notes/Domino - misspato.com | inspiring web sites
Lotus Notes/Domino - Dive Into Accessibility: Table of contents
Generate ICal (ics) files dynamically
Спонсоры рассылки:
Поиск по сайтам о Lotus Notes/Domino
Полнотекстовый поиск по тематическим сайтам о Lotus Notes
Хостинг на Lotus Domino















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

    1. Майк Гаскойн: Пришло время бороться с сильными командами - Формула 1 на F1News.Ru


    Формула 1 на F1News.Ru

    Майк Гаскойн: Пришло время бороться с сильными командами
    Формула 1 на F1News.Ru
    На Гран При Бразилии Тони Фернандес объявил о том, что одно из подразделений Caterham Group, Caterham Composites, возглавит Майк Гаскойн. В интервью Team Lotus Notes британец подробно рассказал о новых обязанностях и развитии Caterham F1 Team... Вопрос: В межсезонье вас ждет напряженная работа: ...

    и другие »
    Компания ПУЛ - разработка приложений на Lotus Notes/Domino

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

    1. Java: Custom Address Class to Check for Duplicates

    My adventures as a "proper" programmer continue apace. Yesterday I created a custom class in Java that implements the Comparable interface and now feel quite smug about it. Probably undeservedly so.

    I was writing a Domino-based reporting Agent in Java which need to loop a set of invoice documents for a given user and report back a sorted list of each unique billing addresses they'd supplied over the years, so that a data audit could take place.

    Here's the use case code for the class:

    ArrayList addresses = new ArrayList();
    
    Document d = dc.getFirstDocument();
        
    while (null!=d){
        BillingAddress address = new BillingAddress();
                            
        address.setAddress("AddressLine1");
        address.setTown(d.getItemValueString("AddressTown"));
        address.setCounty(d.getItemValueString("AddressCounty"));
        address.setPostCode(d.getItemValueString("AddressPostCode"));
                  
        //Make sure the address is isn't in the array.          
        if(!addresses.contains(address)){
            addresses.add(address);
        }
                            
        d = dc.getNextDocument(d);
    }
    
    //Sort our addresses before output
    Collections.sort(addresses);
    
    //For each address convert to HTML string.
    for (int i=0; i<addresses.size(); i++){
        _html+=("<p>"+((BillingAddress)addresses.get(i)).toString().replace("\\n", "<br/>")+"</p>");
    }
    

    As you can see I'm able to check whether a BillingAddress is already in the ArrayList and I'm able to sort them. The former is due to the existence of the equals() method in the class and the latter because of the compareTo() method.

    Here's the class itself:

    public class BillingAddress implements Comparable {
    
        private String _address;
        private String _town;
        private String _county;
        private String _postCode;
        
        
        public int compareTo(Object address) throws ClassCastException {
            if (!(address instanceof BillingAddress))
                  throw new ClassCastException("A BillingAddress object expected.");
                
            return (_address.compareTo(
                    ((BillingAddress)address).getAddress()
                ));
        }
        
        public boolean equals(BillingAddress address){
            return (
                address!=null &&
                address.getAddress().equalsIgnoreCase(_address) &&
                address.getPostCode().equalsIgnoreCase(_postCode)
            );
        }
    
        public void setAddress(String address){
            _address = address;
        }
        
        public String getAddress(){
            return _address;
        }
        
        public void setTown(String town){
            _town = town;
        }
        
        public String getTown(){
            return _town;
        }
        
        public void setCounty(String county){
            _county = county;
        }
        
        public String getCounty(){
            return _county;
        }
            
        public void setPostCode(String postCode){
            _postCode = postCode;
        }
            
        public String getPostCode(){
            return _postCode;
        }
        
        public String toString(){
            String out = "<p>";
            if (!_address.equals("")){
                out+=_address+"\n";
            }
            if (!_town.equals("")){
                out+=_town+"\n";
            }
            if (!_county.equals("")){
                out+=_county+"\n";
            }
            if (!_postCode.equals("")){
                out+=_postCode;
            }
            return out;
        }
    
    }
    

    Inside the equals() method you can see I've deemed any address where the first line and the post code (ZIP) match to be the same. Whether this holds true or not I don't know yet. But it's easy to change this logic. As is the case for changing how the compareTo() method sorts your addresses. You could choose to sort by Town/City or Post Code rather than by the first line. It's all up to you.

    As you can probably tell I'm writing the code in Java 1.3 (ouch!) because the client is still on Domino 6.5.5 (double ouch!!). If you were using a later version of Java you could make the above code a lot simpler, but the theory still holds true and the principles are the same.

    Click here to post a response

    2. Mobilizing Domino Using Appcelerator Titanium

    Learn how you can mobilize Domino application data using Appcelerator Titanium, an open source framework for building mobile applications for multiple mobile device platforms. Accelerate your mobile development by writing your mobile applications in JavaScript code that Titanium then packages into a client-side native application container.

    If you don't have an IBM ID and password, register here.

    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 developerWorks profile is displayed to the public, but you may edit the information at any time. Your first name, last name (unless you choose to hide them), and display name will accompany the content that you post.

    All information submitted is secure.

    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.

    Lotus Sandbox archived

    The Lotus Sandbox was closed to all new submissions in 2007. Downloads of previous submissions were still available as an archived resource following that closure, but effective September 2010, downloads from the Lotus Sandbox are no longer available.

    If you need to contact us regarding the removal of the Lotus Sandbox, please use our feedback form.

    Resources for samples and templates

    If you are looking for samples and templates for use with Lotus products, please use these resources:

    • IBM Lotus and WebSphere Portal Business Solutions Catalog
      The IBM Lotus and WebSphere Portal Business Solutions Catalog on Lotus Greenhouse is a rich, Web 2.0 style catalog designed to dynamically deliver widgets, plug-ins, portlets, and sample applications across the entire Lotus and WebSphere Portal software portfolio.
    • OpenNTF.org
      OpenNTF is devoted to enabling groups of individuals all over the world to collaborate on IBM Lotus Notes/Domino applications and release them as open source, providing a framework for the community so that open source applications may be freely distributed, using widely accepted licensing terms, and increasing the quality and quantity of templates, applications and samples that are shared by the community.
    Help: Update or add to My dW interests

    What's this?

    This little timesaver lets you update your My developerWorks profile with just one click! The general subject of this content (AIX and UNIX, Information Management, Lotus, Rational, Tivoli, WebSphere, Java, Linux, Open source, SOA and Web services, Web development, or XML) will be added to the interests section of your profile, if it's not there already. You only need to be logged in to My developerWorks.

    And what's the point of adding your interests to your profile? That's how you find other users with the same interests as yours, and see what they're reading and contributing to the community. Your interests also help us recommend relevant developerWorks content to you.

    View your My developerWorks profile

    Return from help

    Help: Remove from My dW interests

    What's this?

    Removing this interest does not alter your profile, but rather removes this piece of content from a list of all content for which you've indicated interest. In a future enhancement to My developerWorks, you'll be able to see a record of that content.

    View your My developerWorks profile

    Return from help

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

    1. Вакансия: программист Lotus Notes. г. Москва

    2. http://dejuqq.sambol.ru/Lotus-notes-vakansiya-dlya-studentov-domodedovo.html

    http://dejuqq.sambol.ru/Lotus-notes-vakansiya-dlya-studentov-domodedovo.html

    3. http://dejadd.sambol.ru/Vakansiya-razrabotchik-lotus-notes.html

    http://dejadd.sambol.ru/Vakansiya-razrabotchik-lotus-notes.html

    4. http://dehejs.sambol.ru/Vakansiya-razrabotchik-lotus-notes.html

    http://dehejs.sambol.ru/Vakansiya-razrabotchik-lotus-notes.html

    5. IBM адаптирует iPad и планшеты Android для корпоративных пользователей

    Предлагая облегченный доступ к почте и календарю, ПО Lotus Notes Traveler позволяет пользователям почты IBM легко добавлять виджеты на домашний экран Android-устройства, чтобы быстро открывать почту и календарь, а также осуществлять телефонный вызов людей, отмеченных в календаре, одним нажатием кнопки.

    6. Обновление антивирусного ядра в продуктах Dr.Web для Unix

    Антивирус Dr.Web для Linux, продукты Dr.Web для почтовых серверов и интернет-шлюзов Unix, Dr.Web для файловых серверов Unix (Samba и Novell Storage Services), Антивирус Dr.Web для Mac OS X, Антивирус Dr.Web для Mac OS X Server, Dr.Web для почтовых серверов Kerio (Linux-версия), Dr.Web для IBM Lotus Domino (Linux-версия), а также Dr.Web LiveCD и

    7. Майк Гаскойн: Пришло время бороться с сильными командами

    В интервью Team Lotus Notes британец подробно рассказал о новых обязанностях и развитии Caterham F1 Team…

    8. Крик радости. Спасибо IBM за Lotus и за Notes. Они привносят в работу радость и ...

    Спасибо IBM за Lotus и за Notes.

    9. Крик отчаяния. Спасибо гребаному IBM за его гребаный Lotus Notes. Одно гребаное ...

    Спасибо гребаному IBM за его гребаный Lotus Notes.

    10. Everyone knows Anything goes and now We are the Lotus kids<br>Oh better take &lt;&gt;

    Everyone knows Anything goes and now We are the Lotus kids<br>Oh better take note of this<br>For the story

    11. коллеги в ленте напомнили, что обновился дизайн lotus notes.

    )) коллеги в ленте напомнили, что обновился дизайн lotus notes. Так я бы и не вспомнила. Спасибо @winner_74 и @NikanetU

    12. Обновился интерфейс корпоративного почтового ящика в Lotus Notes.

    Обновился интерфейс корпоративного почтового ящика в Lotus Notes. Так же я люблю такие приятные мелочи.

    13. Фантасмагория это путь к саморазвитию?

    Peleas) Limeriez – автор вопроса уточнение отсутствует Lotus_notes С последующим тупиком.

    14. Достал этот Lotus Notes

    Достал этот Lotus Notes

    15. Хакер DVD, январь 2012

    Это небольшое видео демонстрирует, как во время пентеста была осуществлена атака на Lotus Domino с использованием мало известной уязвимости

    16. Nokia E5 vs Nokia E72 [HD]

    Nokia E5 выполнен в форм-факторе моноблок, имеет QWERTY-клавиатуру и поддерживает Microsoft Exchange и IBM Lotus Notes Traveler.

    17. О круть, настроил себе рабочий Lotus notes на iPhone и iPad" !

    О круть, настроил себе рабочий Lotus notes на iPhone и iPad" ! Теперь мне вообще в конторе можно не появляться))) Во истину мобилен
    Блиц-опрос
    Давай знакомиться. В каких отношениях с Lotus Notes?
    (голосование возможно только из письма рассылки)
  • Lotus Администратор
  • Lotus Программист
  • Lotus Пользователь
  • С Lotus Note не знаком
  • Хочу познакомиться с Lotus Notes/Domino
  • Закладки о Lotus Notes

    1. What Is Lotus Notes?

    2. What Is Lotus Notes?

    3. Moving an IIS SSL certificate to a Domino Keyring File - Turtle Partnership Blog

    4. The History of Notes and Domino

    5. IBM business email solution - Lotus Notes

    6. Sort Notes Document Collection by LotusScript | Lotus Notes Tutorial - IBM Lotus Notes and Domino Education

    7. Lotus Notes/Domino - InterTrust | Notes Domino 7: Новые возможности для разработки приложений

    Notes Domino 7: Новые возможности для разработки приложений Презентация доклада Панова В.А. на Форуме технологий IBM, проведенном ИнтерТраст 16.11.2005

    8. Lotus Notes/Domino - InterTrust | Пять главных проблем внедрения СЭД

    9. Lotus Notes/Domino - InterTrust | СЭД: во что обходится автоматизация хаоса?

    10. Lotus Notes/Domino - InterTrust | CM-Портал

    CM-Портал

    11. Lotus Notes/Domino - InterTrust | CM-Делопроизводство

    CM-Делопроизводство Система предназначена для автоматизации документооборота в территориально-распределенных организациях, технология...

    12. Lotus Notes/Domino - InterTrust | CM-Договоры

    CM-Договоры Система предназначена для ведения реестра договоров и контроля исполнения относящихся к ним поручений

    13. Lotus Notes/Domino - InterTrust | CM-HelpDesk

    CM-HelpDesk Система предназначена для автоматизации процесса решения технических проблем, которые возникают у пользователей компании при эк?...

    14. Lotus Notes/Domino - DivX Digest - MOV to DivX Guide

    15. Lotus Notes/Domino - Accesskey standards | clagnut/blog

    16. Lotus Notes/Domino - slapt-get Slackware[ software.jaos.org ]

    17. Lotus Notes/Domino - misspato.com | inspiring web sites

    18. Lotus Notes/Domino - Dive Into Accessibility: Table of contents

    19. Generate ICal (ics) files dynamically

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


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

    В избранное