Development/FAQs/Technical FAQ/pt-br: Difference between revisions

    From KDE TechBase
    (Created page with "Por favor, siga esse tutorial do CMake .")
    (Created page with "Você precisa de um am_edit para reanalisar seu Makefile.am para gerar o Makefile correto. Se é o primeiro Q_OBJECT que você está usando nesse diretório, você precisará ...")
    (36 intermediate revisions by 3 users not shown)
    Line 1: Line 1:
    <languages />
    <languages />
    {{Template:I18n/Language Navigation Bar|Desenvolvimento/FAQs/FAQ Técnico }}
    {{improve|O sistema build mudou no KDE4.}}
    {{improve|O sistema de compilação mudou no KDE4.}}


    ==Como faço para iniciar um novo aplicativo?==
    ==Como faço para iniciar um novo aplicativo?==
    Line 19: Line 18:
    Por favor, siga esse [[Special:myLanguage/Development/Tutorials/CMake|tutorial do CMake ]].
    Por favor, siga esse [[Special:myLanguage/Development/Tutorials/CMake|tutorial do CMake ]].


    ==What targets are available to make?==
    ==Que alvos estão disponíveis para make?==


    *all: the default target (the one you get when typing "make").  
    *all: o alvo padrão (o que você obtém quando digita "make").  
    *clean: removes all the generated files
    *clean: remove todos os arquivos gerados
    *distclean: also removes the files generated by Makefile.cvs Not very useful within KDE (see dist for the "dist" concept and svn-clean for a better way to make really clean).  
    *distclean: também remove os arquivos gerados por Makefile.cvs Não é muito útil no KDE (veja dist para o conceito "dist" e svn-clean para uma melhor maneira do make realmente remover).  
    *dist: supposedly for making a tarball out of SVN sources, but not very well supported within KDE. Better use kdesdk/scripts/cvs2pack for that.  
    *dist: supostamente para fazer tarball do SVN, mas não é suportado muito bem no KDE. Melhor usar kdesdk/scripts/cvs2pack para isso.  
    *force-reedit: re-run automake and am_edit on the Makefile.am  
    *force-reedit: executa novamente automake e am_edit no Makefile.am  
    *install: well, install everything :)
    *install: bem, instala tudo
    *install-strip: install everything and strips binaries (removes debugging symbols).  
    *install-strip: instala tudo e descarta os binários (remove símbolos de depuração).  
    *install-exec: only install the binaries and libraries
    *install-exec: somente instala os binários e bibliotecas
    *install-data: only install the data files
    *install-data: somente instala os arquivos de dados
    *check: compiles the test programs (i.e. those defined with check_PROGRAMS). It is even possible to actually run some tests during "make check", see kdelibs/arts/tests/Makefile.am  
    *check: compila os programas de teste (ou seja, aqueles definidos com check_PROGRAMS). É possível até mesmo executar alguns testes durante "make check", veja kdelibs/arts/tests/Makefile.am  


    ==I have a checkout of SVN, there is no configure and no Makefile?==
    ==Tenho um checkout do SVN, não há nenhuma configuração e nenhum Makefile?==


    Use make -f Makefile.cvs It will run all the Makefile generation steps
    Use make -f Makefile.cvs Ele vai executar todas as etapas de geração do Makefile  


    ==How can I temporarily exclude certain directories from build?==
    ==Como posso excluir temporariamente determinados diretórios da compilação?==


    While hacking a program it might be useful to exclude certain directories from build that would otherwise be recompiled, but don't actually need to be.
    Enquanto hackeia um programa pode ser útil excluir determinados diretórios da compilação que, de outra forma, seriam recompilados, mas que efetivamente não precisam ser. Também, se você fez o checkout do código que não compilou e não tem tempo ou conhecimento para corrigir os erros, você pode querer desativar a compilação do diretório tudo junto. Há dois casos. Diretório e subdiretórios. Para os diretórios você pode simplesmente apagá-los (ou não fazer checkout neles)  
    Also, if you checked out source code that didn't compile and you don't have the time or knowledge to fix the error you might want to turn off compilation of the directory alltogether.
    There are two cases. Toplevel directories, and subdirectories. For toplevel directories you can simply erase them (or not check them out).


    If for some reason you don't want to do that, you can also set <code>DO_NOT_COMPILE="someapp"</code> before calling configure, which will make configure skip "someapp". To only compile very few toplevel dirs, instead of using <code>DO_NOT_COMPILE</code> to exclude most of them, you can list in a file named ''inst-apps'', at the toplevel, the toplevel subdirs you want to compile.  
    Se por alguma razão você não quer fazer isso, você pode também definir <code>DO_NOT_COMPILE="someapp"</code> antes de chamar configure, que fará configure ignorar "someapp". Para compilar apenas poucos diretórios, ao invés de usar <code>DO_NOT_COMPILE</code> para excluir a maioria deles, você pode listar em um arquivo chamado ''inst-apps'', no nível superior, os subdiretórios de nível superior que você quer compilar.  


    To turn off compilation of any directory, including subdirectories, you have to modify the Makefile or Makefile.am files. Makefile.am is not recommended because that file is in KDE Subversion and you could accidentally commit your changes. So we'll modify the Makefile instead here:
    Para desativar a compilação de qualquer diretório, inclusive subdiretórios, você tem que modificar os arquivos Makefile ou Makefile.am. Makefile.am não é recomendado porque o arquivo está no Subversion do KDE e você pode acidentalmente commitar suas alterações. Então, vamos modificar o Makefile aqui:


    Open the Makefile in the directory immediately above the directory you want to exclude in a text editor and look for a variable <code>SUBDIRS</code>. It will often look somewhat like
    Abra o Makefile no diretório imediatamente acima do diretório que você deseja excluir, em um editor de texto e procure por uma variável <code>SUBDIRS</code>. Ela, frequentemente, se parecerá um pouco como


    {{Input|1=SUBDIRS = share core ui . proxy taskmanager taskbar applets extensions data}}
    {{Input|1=SUBDIRS = share core ui . proxy taskmanager taskbar applets extensions data}}


    Just remove the directory that you want to exclude and save your file. A new make will skip the directory you just removed.
    Basta remover o diretório que você deseja excluir e salvar seu arquivo. Um novo make vai ignorar o diretório que você acabou de remover.


    Sometimes you'll have to look harder because the SUBDIRS variable consists of a number of other variables:
    Às vezes você terá que olhar com mais atenção porque a variável SUBDIRS consiste de uma série de outras variáveis​​:


    <code>SUBDIRS = $(COMPILE_FIRST) $(TOPSUBDIRS) $(COMPILE_LAST) </code>
    <code>SUBDIRS = $(COMPILE_FIRST) $(TOPSUBDIRS) $(COMPILE_LAST) </code>


    Here you have to find the <code>COMPILE_FIRST</code>, <code>TOPSUBDIRS</code> and <code>COMPILE_LAST</code> variables. One of those contains the dir you want to exclude. Remove the directory where you find it and save the Makefile again.
    Aqui você tem que encontrar as variáveis <code>COMPILE_FIRST</code>, <code>TOPSUBDIRS</code> e <code>COMPILE_LAST</code>. Uma destas contém o diretório que você quer excluir. Remova o diretório de onde você encontrá-lo e salve o Makefile novamente.
    To undo your changes you can either regenerate the Makefile from scratch or revert to an older backup (you did make one, did you? :-).
    Para desfazer as alterações, você pode gerar novamente o Makefile do zero ou reverter para um backup mais antigo (você fez um, não é? :-).
    To regenerate a Makefile, just make force-reedit.
    Para criar novamente um Makefile, basta make force-reedit.


    You can also copy the original line in the file when editing and make it a comment by prefixing a '#' in front of it. Then undoing the change is as easy as making the modified line a comment and removing the comment in the original line.
    Você também pode copiar a linha original no arquivo ao editar e fazer um comentário, prefixando um '#' na frente dele. Em seguida, desfazer a mudança é tão fácil como fazer a linha modificada com um comentário e remover o comentário na linha original.


    ==What are the various compilation options?==
    ==Quais são as diferentes opções de compilação?==


    <code> --enable-debug</code>
    <code> --enable-debug</code>
    : Add debug symbols, disable optimisations and turns logging of kdDebug() on.  
    : Adiciona símbolos de depuração, desabilita otimizações e ativa o log de kdDebug().  


    <code>--disable-debug</code>
    code>--disable-debug</code>
    : The opposite of the previous one: enable optimisations and turns kdDebug() logging off.  
    : O oposto do anterior: habilita otimizações e desativa o log de kdDebug().  


    <code> --enable-final</code>
    <code> --enable-final</code>
    : Concatenates all .cpp files into one big .all_cpp.cpp file, and compiles it in one go, instead of compiling each .cpp file on its own. This makes the whole compilation much faster, and often leads to better optimised code, but it also requires much more memory. And it often results in compilation errors when headers included by different source files clash one with the other, or when using c static functions with the same name in different source files.  
    : Concatena todos os arquivos .cpp em um grande arquivo all_cpp.cpp, e compila de uma só vez, ao invés de compilar cada arquivo .cpp por vez. Isso faz com que a compilação seja muito maior e, muitas vezes, leva a uma melhor otimização do código, mas também requer muito mais memória. E, muitas vezes, resulta em erros de compilação quando os cabeçalhos incluídos por diferentes arquivos de origem colidem um com o outro, ou quando se utiliza funções c estáticas com o mesmo nome em diferentes arquivos de origem.
    This is a good thing to do at packaging time, but of course not for developers, since a change in one file means recompiling everything.
    Esta é uma boa coisa a fazer no momento do empacotamento, mas, claro, não para desenvolvedores, já que uma mudança em um arquivo significa recompilar tudo.


    <code> --disable-fast-perl</code>
    <code> --disable-fast-perl</code>
    : By default KDE uses perl instead of sh and sed to convert Makefile.in into Makefile. This is an addition to autoconf done by Michael Matz. You can use this option to disable this but it is a lot slower.
    : Por padrão, usuários KDE usam perl ao invés de sh e sed para converter Makefile.in para Makefile.  
    Esta é uma adição ao autoconf feita por Michael Matz. Você pode usar esta opção para desabilitar isso, mas é muito mais lento.


    ==Which compile option do you recommend?==
    ==Que opção de compilação você recomenda?==


    If you are a developer, you should definitely compile Qt and KDE with --enable-debug. You will then be able to debug your program even inside Qt and KDE function calls.  
    Se você é um desenvolvedor, você deveria compilar o Qt e o KDE com --enable-debug. Você então será capaz de depurar seu programa mesmo dentro das chamadas de função do Qt e KDE. Se você é apenas um usuário, você pode ainda usar --enable-debug. O KDE ocupará mais espaço em seu disco rígido mas não deixará seu computador lento. A vantagem é que você rastreia a pilha quando um aplicativo dá erro. Se você pode reportar um erro, vá em bugs.kde.org, verifique se seu erro não existe ainda e, então, submeta-o. Isso nos ajudará a melhorar o KDE. Para Qt, as opções de compilação são explicadas em qt-copy/README.qt-copy.
    If you are just a user, you can still use --enable-debug. KDE will occupy more space on your hard disk but it won't slow down your desktop. The advantage is that you get stack trace when an application crashes. If you can reproduce a crashing behaviour, go to bugs.kde.org, check that your bug doesn't exist yet and submit it. It will help us improve kde.
    For Qt, the compilation options are explained in qt-copy/README.qt-copy.


    ==Tips to increase compilation speed?==
    ==Dicas para aumentar a velocidade de compilação?==


    See ''--enable-final'' above :) . ''make final'' uses the all-in-one-file trick in the current directory even if --enable-final wasn't used, and ''make no-final'' does a normal compilation in the current directory even if --enable-final was used.  
    <span class="mw-translate-fuzzy">
    Include your moc files! Header files declaring a QObject descendant have to be run through moc to produce a .moc file. This .moc file has to be compiled, for which two possibilities exists: compile it separately, or #include it in the C++ file implementing that above mentioned class. The latter is more efficient in term of compilation speed. BTW, kdesdk/scripts/includemocs does this automatically.
    Veja ''--enable-final'' acima : ) . O ''make final'' usa o truque do arquivo tudo-em-um no diretório atual mesmo se --enable-final não foi usado, e ''make no-final'' faz uma compilação normal no diretório atual mesmo se --enable-final foi usado. Inclua seus arquivos moc! Arquivos de cabeçalho que declaram um descendente QObject devem ser executados através do moc para produzir um arquivo .moc . Esse arquivo .moc tem que ser compilado de duas formas possíveis: separadamente ou #incluído no arquivo C++ implementando a classe mencionada acima. O último é mais eficiente em termos de velocidade de compilação. Aliás, kdesdk/scripts/includemocs faz isso automaticamente. Compre mais ram, uma máquina mais rápida e outro processador. Em um bi-PIII 866 MHz com 1GB de RAM, o KDE compila em uma velocidade decente :-)))
    Buy more ram, a faster machine and another processor. On a bi-PIII 866 MHz with 1GB of RAM, kde compiles at a decent speed :-)))
    </span>


    ==There is a STRIP variable set in the Makefile but it doesn't seem to be used?==
    ==Há uma variável STRIP definida no Makefile mas ela não parece estar sendo usada?==


    The strip is done at install. To use it, use "make install-strip" instead of "make install".  
    A strip é feita na instalação. Para usá-la, use "make install-strip" em vez de "make install".  


    ==What indentation should I use?==
    ==Que identação eu devo usar?==


    If you are working on an existing application, respect the author's indentation. Else, you can use whatever indentation you like.  
    Se você está trabalhando em uma aplicação existente, repeite a indetação do author. Se não, você pode usar qualquer identação que lhe for conveniente.  


    ==What is the difference between i18n and I18N_NOOP?==
    ==Qual é a diferença entre i18n 3 I18N_NOOP?==


    If you do
    Se você fizer <code>QString translatedStuff = i18n("foobar");</code> translatedStuff conterá a tradução de "foobar", enquanto que para <code> const char *markedStuff = I18N_NOOP("foobar");</code> <tt>markedStuff</tt> conterá "foobar" literal, mas tradutores saberão que você deseja "foobar" traduzido, então, para que você possa mais tarde fazer <code>QString translatedStuff = i18n(markedStuff);</code> e obter a tradução de "foobar", que não funcionaria sem I18N_NOOP. Então, normalmente você quer apenas usar i18n (), mas nos casos em que é absolutamente necessário passar algo não traduzido, ainda precisa traduzi-lo mais tarde ou, no caso de você ter algo a ser traduzido antes do Kinstance existir, use <code>I18N_NOOP()</code>.
    <code>QString translatedStuff = i18n("foobar");</code> translatedStuff will contain the translation of "foobar", while for <code> const char *markedStuff = I18N_NOOP("foobar");</code> <tt>markedStuff</tt> will still contain literal "foobar", but translators will know you want "foobar" translated so you can later on do <code>QString translatedStuff = i18n(markedStuff);</code> and get the translation of "foobar", which wouldn't work without that I18N_NOOP.  
    So, normally you want to just use i18n(), but in cases where you absolutely need to pass something untranslated, but still need to translate it later or in the case that you have something to be translated before the KInstance exists, use <code>I18N_NOOP()</code>.


    ==I get "virtual tables error"?==
    ==Eu tenho "erro de tabelas virtuais"?==


    This often comes from the moc files not being in sync with the sources, or not linked at all. Check that you are running the right moc. 'which moc' will tell it. Regenerate your moc files (make force-reedit; make clean; make).  
    Isso muitas vezes acontece porque os arquivos moc não estão em sincronia com as fontes, ou não linkados em tudo. Verifique se você está executando o moc correto. 'which moc' vai dizer isso. Gere novamente seus arquivos moc (make force-reedit; make clean; make).  


    ==I have added Q_OBJECT to myClassHeader.h but no moc files is generated?==
    ==Eu adicionei Q_OBJECT a myClassHeader.h mas nenhum arquivo moc é gerado?==


    You need am_edit to reparse your Makefile.am to generate the correct Makefile. If it's the first Q_OBJECT you're using in this directory, you'll need to re-run Makefile.cvs or create_makefile from kdesdk/scripts. Otherwise, you can simply run "make force-reedit".
    Você precisa de um am_edit para reanalisar seu Makefile.am para gerar o Makefile correto. Se é o primeiro Q_OBJECT que você está usando nesse diretório, você precisará executar novamente o Makefile.cvs ou create_makefile do  kdesdk/scripts. Caso contrário, você pode simplesmente executar "make force-reedit".


    ==To go quicker, I have coded my whole class in a cpp file, how do I get the moc files generated?==
    ==To go quicker, I have coded my whole class in a cpp file, how do I get the moc files generated?==

    Revision as of 19:48, 3 June 2015

    Other languages:
    Warning
    This section needs improvements: Please help us to

    cleanup confusing sections and fix sections which contain a todo


    O sistema build mudou no KDE4.

    Como faço para iniciar um novo aplicativo?

    O jeito mais fácil é usar kdesdk/kapptemplate para gerar o CMakeLists.txt. Ou você pode apenas copiar um CMakeLists.txt de outro aplicativo e instalá-lo em um novo diretório acima do que estão os códigos existentes do KDE. Ou você pode iniciar da velha maneira, do zero.

    O que é plasma, kpart, kio, kdeinit, ...

    Consulte o TechBase, especialmente os documentos da arquitetura. Consulte também o livro do kde.

    Eu realmente preciso usar kpart?

    Bem, você não é obrigado, mas é muito melhor. KPart permite uma poderosa reutilização de código. Tendo em vista o fato de que é simples usar essa tecnologia e que ela é amplamente implementada, é uma pena não usá-la se você puder.

    Como escrevo um CMakeLists.txt?

    Por favor, siga esse tutorial do CMake .

    Que alvos estão disponíveis para make?

    • all: o alvo padrão (o que você obtém quando digita "make").
    • clean: remove todos os arquivos gerados
    • distclean: também remove os arquivos gerados por Makefile.cvs Não é muito útil no KDE (veja dist para o conceito "dist" e svn-clean para uma melhor maneira do make realmente remover).
    • dist: supostamente para fazer tarball do SVN, mas não é suportado muito bem no KDE. Melhor usar kdesdk/scripts/cvs2pack para isso.
    • force-reedit: executa novamente automake e am_edit no Makefile.am
    • install: bem, instala tudo
    • install-strip: instala tudo e descarta os binários (remove símbolos de depuração).
    • install-exec: somente instala os binários e bibliotecas
    • install-data: somente instala os arquivos de dados
    • check: compila os programas de teste (ou seja, aqueles definidos com check_PROGRAMS). É possível até mesmo executar alguns testes durante "make check", veja kdelibs/arts/tests/Makefile.am

    Tenho um checkout do SVN, não há nenhuma configuração e nenhum Makefile?

    Use make -f Makefile.cvs Ele vai executar todas as etapas de geração do Makefile

    Como posso excluir temporariamente determinados diretórios da compilação?

    Enquanto hackeia um programa pode ser útil excluir determinados diretórios da compilação que, de outra forma, seriam recompilados, mas que efetivamente não precisam ser. Também, se você fez o checkout do código que não compilou e não tem tempo ou conhecimento para corrigir os erros, você pode querer desativar a compilação do diretório tudo junto. Há dois casos. Diretório e subdiretórios. Para os diretórios você pode simplesmente apagá-los (ou não fazer checkout neles)

    Se por alguma razão você não quer fazer isso, você pode também definir DO_NOT_COMPILE="someapp" antes de chamar configure, que fará configure ignorar "someapp". Para compilar apenas poucos diretórios, ao invés de usar DO_NOT_COMPILE para excluir a maioria deles, você pode listar em um arquivo chamado inst-apps, no nível superior, os subdiretórios de nível superior que você quer compilar.

    Para desativar a compilação de qualquer diretório, inclusive subdiretórios, você tem que modificar os arquivos Makefile ou Makefile.am. Makefile.am não é recomendado porque o arquivo está no Subversion do KDE e você pode acidentalmente commitar suas alterações. Então, vamos modificar o Makefile aqui:

    Abra o Makefile no diretório imediatamente acima do diretório que você deseja excluir, em um editor de texto e procure por uma variável SUBDIRS. Ela, frequentemente, se parecerá um pouco como

    SUBDIRS = share core ui . proxy taskmanager taskbar applets extensions data

    Basta remover o diretório que você deseja excluir e salvar seu arquivo. Um novo make vai ignorar o diretório que você acabou de remover.

    Às vezes você terá que olhar com mais atenção porque a variável SUBDIRS consiste de uma série de outras variáveis​​:

    SUBDIRS = $(COMPILE_FIRST) $(TOPSUBDIRS) $(COMPILE_LAST)

    Aqui você tem que encontrar as variáveis COMPILE_FIRST, TOPSUBDIRS e COMPILE_LAST. Uma destas contém o diretório que você quer excluir. Remova o diretório de onde você encontrá-lo e salve o Makefile novamente. Para desfazer as alterações, você pode gerar novamente o Makefile do zero ou reverter para um backup mais antigo (você fez um, não é? :-). Para criar novamente um Makefile, basta make force-reedit.

    Você também pode copiar a linha original no arquivo ao editar e fazer um comentário, prefixando um '#' na frente dele. Em seguida, desfazer a mudança é tão fácil como fazer a linha modificada com um comentário e remover o comentário na linha original.

    Quais são as diferentes opções de compilação?

    --enable-debug

    Adiciona símbolos de depuração, desabilita otimizações e ativa o log de kdDebug().

    code>--disable-debug

    O oposto do anterior: habilita otimizações e desativa o log de kdDebug().

    --enable-final

    Concatena todos os arquivos .cpp em um grande arquivo all_cpp.cpp, e compila de uma só vez, ao invés de compilar cada arquivo .cpp por vez. Isso faz com que a compilação seja muito maior e, muitas vezes, leva a uma melhor otimização do código, mas também requer muito mais memória. E, muitas vezes, resulta em erros de compilação quando os cabeçalhos incluídos por diferentes arquivos de origem colidem um com o outro, ou quando se utiliza funções c estáticas com o mesmo nome em diferentes arquivos de origem.

    Esta é uma boa coisa a fazer no momento do empacotamento, mas, claro, não para desenvolvedores, já que uma mudança em um arquivo significa recompilar tudo.

    --disable-fast-perl

    Por padrão, usuários KDE usam perl ao invés de sh e sed para converter Makefile.in para Makefile.

    Esta é uma adição ao autoconf feita por Michael Matz. Você pode usar esta opção para desabilitar isso, mas é muito mais lento.

    Que opção de compilação você recomenda?

    Se você é um desenvolvedor, você deveria compilar o Qt e o KDE com --enable-debug. Você então será capaz de depurar seu programa mesmo dentro das chamadas de função do Qt e KDE. Se você é apenas um usuário, você pode ainda usar --enable-debug. O KDE ocupará mais espaço em seu disco rígido mas não deixará seu computador lento. A vantagem é que você rastreia a pilha quando um aplicativo dá erro. Se você pode reportar um erro, vá em bugs.kde.org, verifique se seu erro não existe ainda e, então, submeta-o. Isso nos ajudará a melhorar o KDE. Para Qt, as opções de compilação são explicadas em qt-copy/README.qt-copy.

    Dicas para aumentar a velocidade de compilação?

    Veja --enable-final acima : ) . O make final usa o truque do arquivo tudo-em-um no diretório atual mesmo se --enable-final não foi usado, e make no-final faz uma compilação normal no diretório atual mesmo se --enable-final foi usado. Inclua seus arquivos moc! Arquivos de cabeçalho que declaram um descendente QObject devem ser executados através do moc para produzir um arquivo .moc . Esse arquivo .moc tem que ser compilado de duas formas possíveis: separadamente ou #incluído no arquivo C++ implementando a classe mencionada acima. O último é mais eficiente em termos de velocidade de compilação. Aliás, kdesdk/scripts/includemocs faz isso automaticamente. Compre mais ram, uma máquina mais rápida e outro processador. Em um bi-PIII 866 MHz com 1GB de RAM, o KDE compila em uma velocidade decente :-)))

    Há uma variável STRIP definida no Makefile mas ela não parece estar sendo usada?

    A strip é feita na instalação. Para usá-la, use "make install-strip" em vez de "make install".

    Que identação eu devo usar?

    Se você está trabalhando em uma aplicação existente, repeite a indetação do author. Se não, você pode usar qualquer identação que lhe for conveniente.

    Qual é a diferença entre i18n 3 I18N_NOOP?

    Se você fizer QString translatedStuff = i18n("foobar"); translatedStuff conterá a tradução de "foobar", enquanto que para const char *markedStuff = I18N_NOOP("foobar"); markedStuff conterá "foobar" literal, mas tradutores saberão que você deseja "foobar" traduzido, então, para que você possa mais tarde fazer QString translatedStuff = i18n(markedStuff); e obter a tradução de "foobar", que não funcionaria sem I18N_NOOP. Então, normalmente você quer apenas usar i18n (), mas nos casos em que é absolutamente necessário passar algo não traduzido, ainda precisa traduzi-lo mais tarde ou, no caso de você ter algo a ser traduzido antes do Kinstance existir, use I18N_NOOP().

    Eu tenho "erro de tabelas virtuais"?

    Isso muitas vezes acontece porque os arquivos moc não estão em sincronia com as fontes, ou não linkados em tudo. Verifique se você está executando o moc correto. 'which moc' vai dizer isso. Gere novamente seus arquivos moc (make force-reedit; make clean; make).

    Eu adicionei Q_OBJECT a myClassHeader.h mas nenhum arquivo moc é gerado?

    Você precisa de um am_edit para reanalisar seu Makefile.am para gerar o Makefile correto. Se é o primeiro Q_OBJECT que você está usando nesse diretório, você precisará executar novamente o Makefile.cvs ou create_makefile do kdesdk/scripts. Caso contrário, você pode simplesmente executar "make force-reedit".

    To go quicker, I have coded my whole class in a cpp file, how do I get the moc files generated?

    Hmm, don't do that, if some of the classes use the Q_OBJECT macro. Maybe METASOURCES=file.cpp might work for moc files though.

    I have developed a kpart (or a plugin). I don't want to install it yet because it is not finished but I need that KDE finds it when I request it using KTrader or KLibLoader. How do I do that?

    KDE searches its libraries in $KDEDIR/lib and in the lib directory of all the components of $KDEDIRS (note the additional 'S', this different from $KDEDIR). So, while you are still developing your library and don't want to install it, you can use this trick:

    cd to your development directory, the one where your library is built.
    Set up KDEDIRS so that it include your development directory: export KDEDIRS=`pwd`:$KDEDIR
    Create a pseudo lib directory where KDE should find your component: ln -s .libs lib (all the objects and libraries are built in the .libs directory).
    Run kbuildsycoca to inform KDE that it KDEDIRS has changed.

    Now, KDE should find your library when using KTrader or KLibLoader.

    How can I install additional KDE stuff when I am not root?

    If want to install your application privately, configure it with another prefix: for $HOME/kdeprefix, use configure --prefix=$HOME/kdeprefix. Then let KDE know about this prefix: set KDEDIRS to $HOME/kdeprefix:$KDEDIR. To make KDE aware of new prefixes, one can also edit /etc/kderc and add

    [Directories]
    prefixes=/the/new/prefix

    but this doesn't answer this specific question ;-) Make sure to run "kbuildsycoca" after setting the new KDEDIRS.

    My kpart lib is not listed when I request it with KTrader

    The mimetype database must be rebuilt when you install new services (such as applications or parts). In theory this happens by itself (kded is watching those directories), but in doubt, run "kbuildsycoca". The best way to debug trader-related problems is to use ktradertest: cd kdelibs/kio/tests; make ktradertest, then run ./ktradertest to see how to use it.

    I changed something in kdelibs, installed the new lib, but new KDE apps don't seem to use it?

    The solution is simple: start new apps from a command line, then they will use the new lib.

    The reason is that applications started by other KDE applications (kicker, minicli, konqueror, etc.) are started via kdeinit, which loads the libs when KDE starts. So the "old" version of the libs keep being used. But if you want kdeinit to start using the new libs, simply restart it. This is done by typing kdeinit in a terminal.

    This is necessary if you can't start things from the command line - e.g. for a kioslave. If you change something in kio, you need to restart kdeinit and kill the running kioslave, so that a new one is started.

    I'm developing both a KPart and a standalone application, how do I avoid duplicated code?

    Apps are often tempted to link to their part because they of course have much functionality in common. However this is wrong for the reasons below.

    A lib is something you link to, a module is something you dlopen. You can't dlopen a lib ; you can't link to a module.

    A lib has a version number and is installed in $libdir (e.g. $KDEDIR/lib) a module doesn't have a version number (in its name), it's more like a binary (we don't have konqueror-1.14.23 either :), and is installed into kde_moduledir (e.g. $KDEDIR/lib/kde3) (which means it's not in the search path for ld.so, so this breaks on systems without -rpath).

    If you didn't understand the above, don't worry. The point is: you should NOT make your application link to your (or any other) KPart, nor any other kind of dlopened module.

    The solutions:

    Let the app dlopen the part. This is what KOffice does. However this limits the app to the very limited ReadOnlyPart/ReadWritePart API. Keep in mind that you can't call a non-virtual method whose implementation you don't link to. The solution is to define a ReadWritePart-derived class (like we have in koffice: KoDocument), with new virtual methods. Either this derived class has code (and you need a lib shared by the app and the part, see point 2 below), or an abstract interface (header file only) is enough. You can also use known interfaces to child objects of the part instead of changing the base class of the part itself - this is the solution used by e.g. KParts::BrowserExtension.

    Define a common library with the common classes and let both the part and the app use it. That library can be noinst_ or lib_, both work. In the first case the compiled object code is duplicated, in the second case a real versioned lib will be installed. The idea here is that the part itself is not available to the app, but instead the part is a very thin wrapper around the same classes as the app uses. Only KParts-specific stuff remains in the part.

    What is the best way to launch another app?

    In KDE there are several ways to start other programs from within your application. Here is a short summary of your options with reasons why you should or should not use them.

    fork + exec

    You never want to use this unless you have a very good reason why it is impossible to use KProcess.

    KProcess

    You want to use this if you need to start a new process which needs to be a child of your process, e.g. because you want to catch stdout/stderr or need to send it data via stdin. You should never use this to start other KDE applications unless your application is called kgdb :-)

    startServiceByDesktopPath

    Preferred way to launch desktop (KDE/Gnome/X) applications or KDE services. The application/service must have a .desktop file. It will make use of KDEinit for increased startup performance and lower memory usage. These benefits only apply to applications available as KDEinit loadable module (KLM)

    KRun

    Generic way to open documents/applications/shell commands. Uses startServiceBy.... where applicable. Offers the additional benefit of startup-notification.
    KRun can start any application, from the binary or the desktop file, it will determine the mimetype of a file before running the preferred handler for it, and it can also start shell commands. This makes KRun the recommended way to run another program in KDE.

    KToolInvocation::invokeBrowser

    KToolInvocation::invokeBrowser launches a web browser. The difference with using the more generic KRun on the webpage URL is that KRun has to determine the mimetype of the URL first (which, for HTTP, involves starting a download to read the headers), so if you know that the URL is an HTML webpage, use invokeBrowser, it will be faster.

    More details: the problem with KRun for webpages is that it delays the appearance of the browser window, and if the user's preferred browser is a non-kde application like firefox then it has to start a second download while konqueror which can reuse the kioslave started by KRun. On the other hand if the URL might be an image or anything else than html, then KRun is the right solution, so that the right application is started.

    How do I create and submit a patch to KDE?

    You have spotted a bug and you want to write the code to fix it. Or you want to code a specific feature. Sending a patch is very appreciated by developers. A tutorial is available but here is a description of how you should proceed:

    • Get the latest KDE using SVN to check that the code you want to write has not been added yet.
    • Check the bug database to see if your bug is not worked on.
    • Get in contact with the author. His/her name is in the about box or in the source header. If the project has a mailing-list, browse the archives to see if your bug/feature has not been the subject of any discussion. If you can't find any mailing lists or author, simply write to kde-devel.
    • Post a message explaining your intentions. It is important to inform the author(s) about what you are planning because somebody might already be working on your feature, or a better design could be proposed by the author, or he could give you some good advice.
    • Next step is to code your feature. It is usually a good idea to keep an original at hand and to work on a copy. This allow to check the behaviour of both versions of the code. Respect the author's indentation and naming scheme, code carefully, think about side-effects and test everything many times.
    • Using the latest KDE code, make a diff using either svn diff or a diff -uNp original-dir new-dir. Don't send reversed patch. The first argument of diff should be the old directory and the second the new directory.
    • Send a mail to the author/mailing-list with your patch as attachment (don't forget to attach it :-) ).
    • People usually have some remarks on your work and you must work further on your patch to improve it. It is common to see three or four submission before acceptation.

    Ok, you have done it, your code has been included in KDE. You are now fully part of the KDE project. Thanx a lot.

    How do I make my application Xinerama and multi-head safe?

    Never make assumptions about the geometry of the "desktop" or the arrangement of the screens. Make use of the following functions from kglobalsettings.h:

     static QRect KGlobalSettings::splashScreenDesktopGeometry(); 
     static QRect KGlobalSettings::desktopGeometry(const QPoint& point); 
     static QRect KGlobalSettings::desktopGeometry(QWidget *w);
    

    Use splashScreenDesktopGeometry() to determine the geometry of the desktop when you want to display an application splash screen. Use desktopGeometry() to determine the geometry of the desktop with respect to a given point on the desktop, or with respect to a given widget. Do not use the Qt class QDesktopWidget to determine these values yourself. The KDE functions take the user's settings into account, something the Qt functions cannot do.

    It is ideal to try to avoid using the desktop geometry altogether. Your application will be much more standards compliant if you let the window manager place your windows for you. When this is not possible, you have the aforementioned functions available. Please beware that the geometry that is returned from these functions may not start at (0,0)! Do your math correctly!

    One other caution: Both KWin and the NETWM specification have severe difficulties handling struts with Xinerama or "merged" displays. This can result in dead areas on the screen, for instance if kicker does not span a whole edge. There is not much that can be done about this, and you should try to avoid hacks to circumvent this at this time. We hope to find a proper solution for this soon.

    I get an error about KDE not finding UIC plugins, but I know they're installed. What's wrong?

    This is almost certainly an installation problem, not a KDE code problem. A number of problems can lead to this, but most likely you have more than one version of Qt laying around and the configure script is calling a different one than KDE is using.

    Another thing that may help is to rebuild and reinstall your kdewidgets.so file, which is located in the kdelibs/kdewidgets directory. Note that if you *do* have multiple versions of Qt, this may compile against the wrong one.

    This problem creeps up on various mailing lists occasionally, so looking at the archives on lists.kde.org may be helpful.

    I put some functions in anonymous namespace and someone reverted it and made those functions static, why?

    Symbols defined in a C++ anonymous namespace do NOT have internal linkage. Anonymous namespaces only give an unique name for that translation unit and that is it; they don't change the linkage of the symbol at all.

    Linkage isn't changed on those because the second phase of two-phase name lookup ignores functions with internal linkages. Also, entities with internal linkage cannot be used as template arguments.

    Can I delete a NULL pointer?

    Yes. Calling delete on a null pointer is a noop in C++. Having "if (ptr) delete ptr;" is redundant. Doing ptr = 0; after a delete is a good idea, especially if the delete can be called on it from a different code path.

    My locally installed application doesn't run, but KDEDIRS is set correctly, what's going on?

    If you're running a 64 bits system, your libraries might have been compiled with the -DLIB_SUFFIX=64 option given to cmake. If your application wasn't compiled with that option, it'll get its modules installed into $prefix/lib/kde4, not $prefix/lib64/kde4 -- and then it will not be found. Easy solutions: a symlink to lib64 or compile your code with -DLIB_SUFFIX=64, too.