Full text search for "port"


Search BackLinks only
Display context of search results
Case-sensitive searching
  • InstallCert.java . . . . 26 matches
         import java.io.BufferedReader;
         import java.io.File;
         import java.io.FileInputStream;
         import java.io.FileOutputStream;
         import java.io.InputStream;
         import java.io.InputStreamReader;
         import java.io.OutputStream;
         import java.security.KeyStore;
         import java.security.MessageDigest;
         import java.security.cert.CertificateException;
         import java.security.cert.X509Certificate;
         import javax.net.ssl.SSLContext;
         import javax.net.ssl.SSLException;
         import javax.net.ssl.SSLSocket;
         import javax.net.ssl.SSLSocketFactory;
         import javax.net.ssl.TrustManager;
         import javax.net.ssl.TrustManagerFactory;
         import javax.net.ssl.X509TrustManager;
          int port;
         // port = (c.length == 1) ? 443 : Integer.parseInt(c[1]);
  • OurSoftwareDependencyProblem . . . . 22 matches
         My own background includes a decade of working with Google’s internal source code system, which treats software dependencies as a first-class concept,1 and also developing support for dependencies in the Go programming language.2
         module.exports = function (str) {
         We do this because it’s easy, because it seems to work, because everyone else is doing it too, and, most importantly, because it seems like a natural continuation of age-old established practice. But there are important differences we’re ignoring.
         Decades ago, most developers already trusted others to write software they depended on, such as operating systems and compilers. That software was bought from known sources, often with some kind of support agreement. There was still a potential for bugs or outright mischief,3 but at least we knew who we were dealing with and usually had commercial or legal recourses available.
         The phenomenon of open-source software, distributed at no cost over the internet, has displaced many of those earlier software purchases. When reuse was difficult, there were fewer projects publishing reusable code packages. Even though their licenses typically disclaimed, among other things, any “implied warranties of merchantability and fitness for a particular purpose,” the projects built up well-known reputations that often factored heavily into people’s decisions about which to use. The commercial and legal support for trusting our software sources was replaced by reputational support. Many common early packages still enjoy good reputations: consider BLAS (published 1979), Netlib (1987), libjpeg (1991), LAPACK (1992), HP STL (1994), and zlib (1995).
         Dependency managers have scaled this open-source code reuse model down: now, developers can share code at the granularity of individual functions of tens of lines. This is a major technical accomplishment. There are myriad available packages, and writing code can involve such a large number of them, but the commercial, legal, and reputational support mechanisms for trusting the code have not carried over. We are trusting more code with less justification for doing so.
         The context where a dependency will be used determines the cost of a bad outcome. At one end of the spectrum is a personal hobby project, where the cost of most bad outcomes is near zero: you’re just having fun, bugs have no real impact other than wasting some time, and even debugging them can be fun. So the risk probability almost doesn’t matter: it’s being multiplied by zero. At the other end of the spectrum is production software that must be maintained for years. Here, the cost of a bug in a dependency can be very high: servers may go down, sensitive data may be divulged, customers may be harmed, companies may fail. High failure costs make it much more important to estimate and then reduce any risk of a serious failure.
         A basic inspection can give you a sense of how likely you are to run into problems trying to use this code. If the inspection reveals likely minor problems, you can take steps to prepare for or maybe avoid them. If the inspection reveals major problems, it may be best not to use the package: maybe you’ll find a more suitable one, or maybe you need to develop one yourself. Remember that open-source packages are published by their authors in the hope that they will be useful but with no guarantee of usability or support. In the middle of a production outage, you’ll be the one debugging it. As the original GNU General Public License warned, “The entire risk as to the quality and performance of the program is with you. Should the program prove defective, you assume the cost of all necessary servicing, repair or correction.”4
         Develop your own systematic ways to check code quality. For example, something as simple as compiling a C or C++ program with important compiler warnings enabled (for example, -Wall) can give you a sense of how seriously the developers work to avoid various undefined behaviors. Recent languages like Go, Rust, and Swift use an unsafe keyword to mark code that violates the type system; look to see how much unsafe code there is. More advanced semantic tools like Infer7 or SpotBugs8 are helpful too. Linters are less helpful: you should ignore rote suggestions about topics like brace style and focus instead on semantic problems.
         Keep an open mind to development practices you may not be familiar with. For example, the SQLite library ships as a single 200,000-line C source file and a single 11,000-line header, the “amalgamation.” The sheer size of these files should raise an initial red flag, but closer investigation would turn up the actual development source code, a traditional file tree with over a hundred C source files, tests, and support scripts. It turns out that the single-file distribution is built automatically from the original sources and is easier for end users, especially those without dependency managers. (The compiled code also runs faster, because the compiler can see more optimization opportunities.)
         Find the package’s issue tracker. Are there many open bug reports? How long have they been open? Are there many fixed bugs? Have any bugs been fixed recently? If you see lots of open issues about what look like real bugs, especially if they have been open for a long time, that’s not a good sign. On the other hand, if the closed issues show that bugs are rarely found and promptly fixed, that’s great.
         Many developers have never looked at the full list of transitive dependencies of their code and don’t know what they depend on. For example, in March 2016 the NPM user community discovered that many popular projects—including Babel, Ember, and React—all depended indirectly on a tiny package called left-pad, consisting of a single 8-line function body. They discovered this when the author of left-pad deleted that package from NPM, inadvertently breaking most Node.js users’ builds.14 And left-pad is hardly exceptional in this regard. For example, 30% of the 750,000 packages published on NPM depend—at least indirectly—on escape-string-regexp. Adapting Leslie Lamport’s observation about distributed systems, a dependency manager can easily create a situation in which the failure of a package you didn’t even know existed can render your own code unusable.
         Equifax’s experience drives home the point that although dependency managers know the versions they are using at build time, you need other arrangements to track that information through your production deployment process. For the Go language, we are experimenting with automatically including a version manifest in every binary, so that deployment processes can scan binaries for dependencies that need upgrading. Go also makes that information available at run-time, so that servers can consult databases of known bugs and self-report to monitoring software when they are in need of upgrades.
         Upgrading promptly is important, but upgrading means adding new code to your project, which should mean updating your evaluation of the risks of using the dependency based on the new version. As minimum, you’d want to skim the diffs showing the changes being made from the current version to the upgraded versions, or at least read the release notes, to identify the most likely areas of concern in the upgraded code. If a lot of code is changing, so that the diffs are difficult to digest, that is also information you can incorporate into your risk assessment update.
         Even after all that work, you’re not done tending your dependencies. It’s important to continue to monitor them and perhaps even re-evaluate your decision to use them.
         It is also important to watch for new indirect dependencies creeping in: upgrades can easily introduce new packages upon which the success of your project now depends. They deserve your attention as well. In the case of event-stream, the malicious code was hidden in a different package, flatmap-stream, which the new event-stream release added as a new dependency.
         Creeping dependencies can also affect the size of your project. During the development of Google’s Sawzall23—a JIT’ed logs processing language—the authors discovered at various times that the main interpreter binary contained not just Sawzall’s JIT but also (unused) PostScript, Python, and JavaScript interpreters. Each time, the culprit turned out to be unused dependencies declared by some library Sawzall did depend on, combined with the fact that Google’s build system eliminated any manual effort needed to start using a new dependency.. This kind of error is the reason that the Go language makes importing an unused package a compile-time error.
         Upgrading is a natural time to revisit the decision to use a dependency that’s changing. It’s also important to periodically revisit any dependency that isn’t changing. Does it seem plausible that there are no security problems or other bugs to fix? Has the project been abandoned? Maybe it’s time to start planning to replace that dependency.
         It’s also important to recheck the security history of each dependency. For example, Apache Struts disclosed different major remote code execution vulnerabilities in 2016, 2017, and 2018. Even if you have a list of all the servers that run it and update them promptly, that track record might make you rethink using it at all.
  • JavaMailSendExam . . . . 21 matches
         import java.util.Date;
         import java.util.Properties;
         import java.util.StringTokenizer;
         import javax.activation.DataHandler;
         import javax.activation.FileDataSource;
         import javax.mail.Message;
         import javax.mail.Multipart;
         import javax.mail.Session;
         import javax.mail.Transport;
         import javax.mail.internet.InternetAddress;
         import javax.mail.internet.MimeBodyPart;
         import javax.mail.internet.MimeMessage;
         import javax.mail.internet.MimeMultipart;
         Transport transport = session.getTransport("smtp");
         transport.connect(host, "USER_ID", "PASSWORD");
         transport.sendMessage(message, message.getAllRecipients());
         transport.close();
         //Transport.send(message);
  • CleanArchitecture-2020 . . . . 14 matches
         'Behavior' is Urgent + not always particularly important.
         'Architecture' is Important + never particularly argent.
         In other words, they fail to separate those features that are urgent but not important from those features that truly are urgent and important.
         This failure then leads to ignoring the important architecture of the system in favor of the unimportant features of the system.
         It is the responsibility of the software development team (not business managers) to assert the importance of architecure over the urgency of features.
         This kind of segregation is supported by the use of appropriate disciplines to protect those mutated variables.
         a good architecture must support:
         The architecture of the system must support the intent of the system.
         Architecture plays a more substantial, and less cosmetic, role in supporting the operation of the system.
         If the system must handle 100,000 customers per second, the architecture must support that kind of throughput and response time for each use case that demands it.
         Architecture plays a significant role in supporting the development environment. This is whare Conway's law comes into play.
         So long as the layers and use cases are decoupoled, the architecutre of the system will support the organization of the teams, irrespective of whether they are organized as feature teams, component teams, layer teams, or some other variation.
          * Ports and Adapters
  • jEdit . . . . 14 matches
         options.pmd.rules.DontImportSunRule=true
         options.pmd.rules.DuplicateImports=true
         projectviewer.gui.ImportDialog.width=876
         sidekick.java.showImports=false
         firewall.port=
         options.jtools.check-imports.resolveExcept=
         projectviewer.gui.ImportDialog.y=96
         projectviewer.gui.ImportDialog.x=-210
         firewall.socks.port=
         options.pmd.rules.ExcessiveImportsRule=true
         projectviewer.gui.ImportDialog.height=745
         options.pmd.rules.UnusedImports=true
         options.pmd.rules.DontImportJavaLang=true
         options.pmd.rules.ImportFromSamePackage=true
  • totalcommander-wincmd.ini . . . . 14 matches
         15=red_medicalreport_cf.jsp
         13=rxe_report
         menu77=ftp://weblogic@ptdev/data/intranet/web/rx/rxe_report/
         cmd77=cd ftp://weblogic@ptdev/data/intranet/web/rx/rxe_report/
         path77=d:\projects\xxxxnet2008\web\rx\rxe_report\
         menu78=ftp://weblogic@ptdev/data/intranet/web/WEB-INF/classes/kr/or/xxxx/intranet/rx/action/rxe_report/
         cmd78=cd ftp://weblogic@ptdev/data/intranet/web/WEB-INF/classes/kr/or/xxxx/intranet/rx/action/rxe_report/
         path78=d:\projects\xxxxnet2008\web\WEB-INF\classes\kr\or\xxxx\intranet\rx\action\rxe_report\
         menu79=ftp://weblogic@ptdev/data/intranet/docs/rx/rxe_report/
         cmd79=cd ftp://weblogic@ptdev/data/intranet/docs/rx/rxe_report/
         path79=d:\projects\xxxxnet2008\web\rx\rxe_report\
         menu80=ftp://weblogic@ptdev/data/internet/web/re/red_report/
         cmd80=cd ftp://weblogic@ptdev/data/internet/web/re/red_report/
         path80=d:\projects\xxxxpt2008\web\re\red_report\
  • classloader.jsp . . . . 11 matches
         <%@ page import="java.io.File"%>
         <%@ page import="java.net.URI"%>
         <%@ page import="java.net.URISyntaxException"%>
         <%@ page import="java.net.URL"%>
         <%@ page import="java.text.SimpleDateFormat"%>
         <%@ page import="java.util.ArrayList"%>
         <%@ page import="java.util.Date"%>
         <%@ page import="java.util.HashMap"%>
         <%@ page import="java.util.List"%>
         <%@ page import="java.util.Map"%>
         <%@ page import="java.util.StringTokenizer"%>
  • HttpsHCApache.java . . . . 10 matches
         import java.io.File;
         import java.io.FileInputStream;
         import java.io.InputStream;
         import java.security.KeyStore;
         import org.apache.http.HttpEntity;
         import org.apache.http.HttpResponse;
         import org.apache.http.client.methods.HttpGet;
         import org.apache.http.conn.scheme.Scheme;
         import org.apache.http.conn.ssl.SSLSocketFactory;
         import org.apache.http.impl.client.DefaultHttpClient;
  • NewscrapRestarter.java . . . . 10 matches
         import java.io.BufferedReader;
         import java.io.File;
         import java.io.IOException;
         import java.io.InputStreamReader;
         import java.net.URL;
         import java.text.SimpleDateFormat;
         import java.util.Date;
         import javax.xml.parsers.DocumentBuilder;
         import javax.xml.parsers.DocumentBuilderFactory;
         import org.w3c.dom.Document;
  • SPF . . . . 10 matches
         spf에 설정한 도메인을 발신자로 하여 check-auth@verifier.port25.com 으로 메일을 전송하여 테스트 결과 값을 리턴 받을 수 있음.
         Header: verifier.port25.com smtp.mail=kiki@hikiki.net; mfrom=pass;
         Header: verifier.port25.com ; pra=permerror (unable to determine PRA);
         Header: verifier.port25.com ; domainkeys=permerror (DK_STAT_SYNTAX: Message is not valid syntax. Signature could not be created/checked);
         Received: from hikiki.net (218.38.13.156) by verifier.port25.com (PowerMTA(TM) v3.2a26) id h98phu0a8mk6 for <check-auth@verifier.port25.com>; Sat, 22 Apr 2006 09:43:59 -0400 (envelope-from <kiki@hikiki.net>)
         Authentication-Results: verifier.port25.com smtp.mail=kiki@hikiki.net; mfrom=pass;
         Authentication-Results: verifier.port25.com ; domainkeys=permerror (DK_STAT_SYNTAX: Message is not valid syntax. Signature could not be created/checked);
         Authentication-Results: verifier.port25.com ; pra=permerror (unable to determine PRA);
         Message-Id: <444A331F.00000000@verifier.port25.com>
  • MoniWikiPo . . . . 9 matches
         #: ../plugin/ImportTable.php:76 ../plugin/processor/blog.php:78
         #: ../plugin/Comment.php:54 ../plugin/ImportTable.php:67 ../wikilib.php:747
         #: ../plugin/ImportTable.php:32
         #: ../plugin/ImportUrl.php:105
         msgid "Import URL"
         msgid "%s does not support rcs options."
         msgid "Version info does not supported in this wiki"
         msgid "mail does not supported by default."
         msgid "This wiki does not support sendmail"
  • eclipse-keys . . . . 9 matches
         "Source","Organize Imports","Shift+Ctrl+O","JavaScript View"
         "Source","Add Import","Shift+Ctrl+M","Editing JavaScript Source"
         "Source","Add Import","Shift+Ctrl+M","Editing Java Source"
         "Edit","Add Im&port","Shift+Ctrl+M","Editing JSP Source"
         "Source","Organize Imports","Shift+Ctrl+O","In Windows"
         "Source","Organize Imports","Ctrl+Shift+O","JavaScript View"
         "Source","Add Import","Ctrl+Shift+M","Editing JavaScript Source"
         "Source","Add Import","Ctrl+Shift+M","Editing Java Source"
         "Source","Organize Imports","Ctrl+Shift+O","In Windows"
  • JavaFileCopy . . . . 8 matches
         import java.io.BufferedInputStream;
         import java.io.BufferedOutputStream;
         import java.io.File;
         import java.io.FileInputStream;
         import java.io.FileOutputStream;
         import java.nio.ByteBuffer;
         import java.nio.channels.FileChannel;
         import java.util.Date;
  • StreamBridge.java . . . . 8 matches
         import java.io.*;
         import java.net.*;
         public StreamBridge(int port1, String hostIp, int port2)
          ssoc = new ServerSocket(port1);
          host = new Socket(hostIp, port2);
          System.out.println("usage: StreamBridge port1, hostIp, port2");
  • 웹서비스제작용Ant설정파일 . . . . 8 matches
          jar cvf testws-portable.war *.* 와 동일한 명령
          <target name="portable-war" depends="javac">
          <jar destfile="${portable-war-file}">
          <!-- 위에서 생성된 testws-portable.war파일에
          <target name="war" depends="portable-war">
          <arg line=" -o ${war-file} ${portable-war-file}" />
         portable-war-file=testws-portable.war
  • ExpectScript/mycliViaSshTunneling . . . . 7 matches
         set ssh_tnl_port [lindex $argv 1]
         set mysql_tnl_port [lindex $argv 2]
         set dbport [lindex $argv 6]
         spawn ssh -oStrictHostKeyChecking=no -f bok@gw.my.net -L${ssh_tnl_port}:${apphost}:22 sleep 10
         spawn ssh -oStrictHostKeyChecking=no -f -p${ssh_tnl_port} bok@localhost.fin -L${mysql_tnl_port}:${mysql_host}:3306 sleep 10
         spawn ~/bincp/mycli-with-log.sh $dbuser $dbhost $dbport $dbname $logfile
  • HttpsTest.java . . . . 7 matches
         import java.io.InputStream;
         import java.io.OutputStream;
         import java.net.Socket;
         import javax.net.SocketFactory;
         import javax.net.ssl.SSLSocketFactory;
          int port = 443;
          Socket socket = socketFactory.createSocket(hostname, port);
  • Struts_configRuntimeReload . . . . 7 matches
         import java.io.IOException;
         import javax.servlet.RequestDispatcher;
         import javax.servlet.ServletException;
         import javax.servlet.http.HttpServletRequest;
         import javax.servlet.http.HttpServletResponse;
         import org.apache.struts.action.ActionServlet;
         import org.apache.struts.config.ModuleConfig;
  • WSDL문서의구조 . . . . 7 matches
         === portType ===
         <portType name="LottoIF">
         </portType>
          <soap:binding transport="http://schemas.xmlsoap.org/soap/http" style="rpc"/>
          <port name="LottoIFPort" binding="tns:LottoIFBinding">
          </port>
         // WSDL : <port name="LottoIFPort"
         lotto.ws.LottoIF lotto = (lotto.ws.LottoIF)ws.getLottoIFPort();
  • HelpOnLinking . . . . 6 matches
         The supported URL schemas are: `http:`, `https:`, `ftp:`, `nntp:`, `news:`, `mailto:`, `telnet:`, and `file:`. Please see HelpOnConfiguration to extend this schemas.
         In addition to the standard schemas, there are MoinMoin-specific ones: `wiki:`, `attachment:`. "`wiki:`" indicates an InterWiki link, so `MoniWiki:FrontPage` and `wiki:MoniWiki:FrontPage` are equivalent; you will normally prefer the shorter form, the "`wiki`" scheme becomes important when you use bracketed links, since there you always need a scheme. The other three schemes are related to file attachments and are explained on HelpOnActions/AttachFile.
         /!\ `inline:` and `drawing:` are not supported by MoniWiki.
         /!\ MoinMoin does not support force linking feature.
         /!\ To get rid of confusion, {{{wiki:InterWiki/Page}}} link method is not supported by MoniWiki.
         for the purpose of compatibility with the MediaWiki, double bracketed wiki name also supported (sinse v1.1.1)
  • powermock . . . . 6 matches
         import static org.powermock.api.mockito.PowerMockito.doReturn;
         import static org.powermock.api.mockito.PowerMockito.mockStatic;
         import org.junit.Test;
         import org.junit.runner.RunWith;
         import org.powermock.core.classloader.annotations.PrepareForTest;
         import org.powermock.modules.junit4.PowerMockRunner;
  • 웹서비스동적스텁생성클라이언트 . . . . 6 matches
         import java.net.MalformedURLException;
         import java.net.URL;
         import java.rmi.RemoteException;
         import javax.xml.rpc.ServiceException;
         import org.apache.axis.client.Call;
         import org.apache.axis.client.Service;
  • JWSDP동적호출인터페이스모델클라이언트 . . . . 5 matches
         import javax.xml.rpc.*;
         import javax.xml.namespace.*;
         import java.net.*;
         QName portQName = new QName("http://java.sun.com/xml/ns/jax-rpc/wsi/wsdl/webservice", "CalIFPort");
         Call call = service.createCall(portQName);
  • WindowsXP기본서비스 . . . . 5 matches
         COM(Component Object Model) 구성 요소에 가입한 SENS(Supports
         15 Error Reporting Service
         20 Help and Support
         39 NT LM Security Support Provider
         42 Portable Media Serial Number
         59 Simple Mail Transport Protocol (SMTP)
  • jcifs . . . . 5 matches
         import java.io.FileReader;
         import java.io.IOException;
         import jcifs.smb.NtlmPasswordAuthentication;
         import jcifs.smb.SmbFile;
         import jcifs.smb.SmbFileInputStream;
  • Decision Tree Regressor Model Sample . . . . 4 matches
         import pandas as pd
         from sklearn.metrics import mean_absolute_error
         from sklearn.model_selection import train_test_split
         from sklearn.tree import DecisionTreeRegressor
  • FortuneCookies . . . . 4 matches
          * You will soon meet a person who will play an important role in your life.
          * It's not reality that's important, but how you percieve things.
          * You will meet an important person who will help you advance professionally.
          * You will be aided greatly by a person whom you thought to be unimportant.
  • JavaSeed암호화 . . . . 4 matches
          import com.goorm.common.security.SeedCipher;
          import com.goorm.common.util.StringUtil;
          import com.sun.org.apache.xerces.internal.impl.dv.util.Base64;
          } catch (UnsupportedEncodingException e) {
  • KafkaCat . . . . 4 matches
         export BROKERS=mark.ang.com:9094
         export USERNAME=user1
         export PASSWORD=pwd1
         export TOPIC=topic1
  • ProcMailSample1 . . . . 4 matches
         * ^Subject:.*[Ff]ree.*[Cc]redit.*[Rr]eport
         * ^Subject:.*Important Message From$
         * ^Subject:.*ImportantMessage$
         * ^Subject:.*[Ii]mportant on [Bb]udget [Dd]ay 2001, [Pp]lease [Rr]ead$
  • flat nested list . . . . 4 matches
         import static zzz.nestedlist.Node.node;
         import static java.util.Arrays.asList;
         import java.util.ArrayList;
         import java.util.List;
  • nfs . . . . 4 matches
         exportfs - maintain table of exported NFS file systems
         /etc/exports
         sudo mount -t nfs -o proto=tcp,port=2049 my.svr.com:/ /mnt/mysvr/
  • FindMissingNumber.java . . . . 3 matches
          private static final int PORT_COUNT = 4; // Integer.MAX_VALUE = 2_147_483_647
          private static final int PORT_SIZE = (int) (NUM_SIZE / PORT_COUNT);
          boolean[][] port = new boolean[PORT_COUNT][PORT_SIZE]; // req mem size = PORT_COUNT * PORT_SIZE bit
          int i = (int) (n / PORT_SIZE);
          int j = (int) (n - (long) (i * PORT_SIZE));
          port[i][j] = true;
          for (int i = 0; i < PORT_COUNT; i++) {
          for (int j = 0; j < PORT_SIZE; j++) {
          if (!port[i][j]) {
          long n = (long) i * (long) PORT_SIZE + (long) j;
  • JUnit관련AntTestTarget예제 . . . . 3 matches
          <junitreport todir="${test.dir}">
          <report format="frames" todir="${test.dir}/html" />
          </junitreport>
  • JWSDP이용한웹서비스작성순서 . . . . 3 matches
         jar cvf mytest-portable.war *.*
         wsdeploy.bat -o mytest.war mytest-portable.war
         ==> 위과 같이 명령을 수행하면 mytest-portabe.war파일에 웹 서비스를 위한 서블릿이 추가되어 mytest.war 파일이 생성된다. 이때 jaxrpc-ri.xml 파일을 참고로 서블릿 설정이 생성된다.
  • JavaStream(codeSnippet) . . . . 3 matches
         import static java.util.Comparator.comparing;
          comparing(DataSummaryReportTemplate::getDisplayOrder)
          .thenComparing(DataSummaryReportTemplate::getMetricId)).collect(toList());
  • Spring3.0특징요약 . . . . 3 matches
         === ETag Support ===
         HTML only supports 2: GET and POST
          Spring MVC form tags support hidden HTTP methods
  • convenc . . . . 3 matches
         import java.io.*;
         import java.nio.charset.Charset;
         import java.util.Arrays;
  • copy-production2dev-read-id-from-stdin.py . . . . 3 matches
         import MySQLdb
         import sys
         import fileinput
  • javatime . . . . 3 matches
         import java.time.ZonedDateTime
         import java.time.format.DateTimeFormatter.ISO_DATE_TIME
         import java.time.ZoneId
  • BashIfStatements . . . . 2 matches
          echo ' export_query.sh WORK_DIR LAST_CHECK_DATE'
          echo ' export_query.sh /data/src_changed 20090810'
  • Calendar . . . . 2 matches
         import java.util.Calendar;
         import java.util.Locale;
  • CopyOffsetsOfAConsumerGroupToAnotherConsumerGroup . . . . 2 matches
          * export offsets of grp1 to csv file(/tmp/grp1-offsets.csv)
         ~/programs/kafka_2.11-1.1.0$ bin/kafka-consumer-groups.sh --reset-offsets --to-current --export --group grp1 --topic test1 --bootstrap-server localhost:9092 > /tmp/grp1-offsets.csv
  • Css적용우선순위 . . . . 2 matches
         4. Imported style sheet
          @import url("mysite.css");
  • EclipseJavaCodeStyleFormatter . . . . 2 matches
         <setting id="org.eclipse.jdt.core.formatter.blank_lines_after_imports" value="1"/>
         <setting id="org.eclipse.jdt.core.formatter.blank_lines_before_imports" value="1"/>
  • EclipseStartScript . . . . 2 matches
         export GIT_SSH=/usr/bin/ssh
         export JAVA_HOME=/usr/java/jdk8
  • HelpOnSubPages . . . . 2 matches
         Subpages are groups of pages that share a common prefix, which itself is another page. While this is also possible with "classic" wiki, by using names like {{{SomeTopicSubTopic}}}, the use of {{{SomeTopic/SubTopic}}} allows better navigational support, and you can omit the common prefix when linking from the parent page to the child page.
          * MoniWiki support "./SubPages" syntax.
  • HelpOnTables . . . . 2 matches
         /!\ rowbgcolor are not supported by the MoniWiki.
         MoniWiki support simple alignment feature like as the PmWiki
  • HelpOnUserPreferences . . . . 2 matches
         /!\ This is an optional feature that only works when email support has enabled for this wiki, see HelpOnConfiguration/EmailSupport for details.
  • HelpOnXmlPages . . . . 2 matches
         If you have Python4Suite installed in your system, it is possible to save XML documents as pages. It's important to start those pages with an XML declaration "{{{<?xml ...>}}}" in the very first line. Also, you have to specify the stylesheet that is to be used to process the XML document to HTML. This is done using a [http://www.w3.org/TR/xml-stylesheet/ standard "xml-stylesheet" processing instruction], with the name of a page containing the stylesheet as the "{{{href}}}" parameter.
         /!\ MoniWiki support two type of XSLT processors. One is the xslt.php, the other is xsltproc.php. xslt.php need a xslt module for PHP and xsltproc.php need the xsltproc.
  • Hp-ux한글관련환경변수 . . . . 2 matches
         export NLS_LANG=American_America.KO16KSC5601
         export LANG=ko_KR.eucKR
  • JavaTips . . . . 2 matches
         import java.text.ParseException;
         import java.text.SimpleDateFormat;
  • JqueryPlugins . . . . 2 matches
         탭형태의 컴포넌트제공 (효과 제공). Provides predefined (slide and/or fade) and custom animations on tab selection, callbacks on tab selection, autoheight, activating tabs programmatically, disabling/enabling tabs. Support for history and bookmarking if used with the History/Remote plugin.
         http://www.stilbuero.de/2007/02/05/tabs-plugin-update-support-for-unobtrusive-ajax/
  • MD5SUM.java . . . . 2 matches
         import java.io.*;
         import java.security.*;
  • MobileSiteDOCTYPE . . . . 2 matches
         <meta name="viewport" content="user-scalable=no, initial-scale=1.0, maximum-scale=1.0, minimum-scale=1.0, width=device-width" />
         HTML의 헤더 부분에 위처럼 DOCTYPE과 viewport 메타태그를 같이 사용해주면, 아이폰/아이팟에서도 좌우 스크롤 없이 꽉 찬 상태로 그리고 오페라 미니에서도 꽉 찬 상태로 보여지게 된다.
  • NabiOnGnome . . . . 2 matches
         export XMODIFIERS="@im=nabi"
         export GTK_IM_MODULE=xim
  • PairingSamsungBluetoothKeyboardTrio500OnXubuntu . . . . 2 matches
         {{{bluetoothctl}}} is a CLI command that supports REPL (interactive).
         Here, if you first run the command {{{help}}}, a list of supported commands is displayed.
  • ProducerConsumerPattern . . . . 2 matches
         import java.util.Random;
         import java.util.Random;
  • SwaggerSettingOnSpringBootWithNewServletContext . . . . 2 matches
         @Import({Swagger2Config.class})
         public class ApiGwWebMvcConfig extends WebMvcConfigurationSupport {
  • Useful Software . . . . 2 matches
          * kupfer: fuzzy search, cli command execution support, window switcher support
  • WeblogicOracleConnectionPool . . . . 2 matches
         (address=(host=1.1.1.1)(protocol=tcp)(port=1521))
         (address=(host=1.1.1.2)(protocol=tcp)(port=1521)))
  • Weblogic에서Jdbc커넥션얻기 . . . . 2 matches
         import javax.sql.DataSource;
         import javax.naming.InitialContext;
  • WikiSandBox . . . . 2 matches
         They were surprised about the first subsection on this page. Imagine the complete astonishment when they discovered that there was a ''second'' subsection! An important part of this section is its reference to the MissionStatement. Be ''sure'' to check it out.
         ||||||'''A Very Important Table'''||
  • copy-production2dev.py . . . . 2 matches
         import MySQLdb
         import sys
  • csv-decoding . . . . 2 matches
         import java.io.*;
         import java.util.*;
  • eclipseMarsOnUbuntu . . . . 2 matches
         export SWT_GTK3=0
         export UBUNTU_MENUPROXY=0
  • jaxrpc-ri.xml . . . . 2 matches
         $JWSDP_HOME/jaxrpc/bin/wsdeploy.sh -o testws.war test-portable.war
         ==> 이때 test-portable.war에 jaxrpc-ri.xml이 포함되어 있음
  • jsp . . . . 2 matches
         = import =
         <%@ page language="java" import="java.sql.*,java.io.*" %>
  • nabi . . . . 2 matches
         export XMODIFIERS="@im=nabi"
         export GTK_IM_MODULE=xim
  • serversocket . . . . 2 matches
         import java.net.*;
         import java.io.*;
  • weblogic_getInitialContext() . . . . 2 matches
         import javax.naming.*;
         import java.util.Hashtable;
  • xps13 . . . . 2 matches
         http://www.dell.com/support/home/us/en/04/product-support/servicetag/FRYCQ32/diagnose?s=DHS
  • 숫자포맷유효성체크JavaRegexp . . . . 2 matches
         import java.util.regex.Matcher;
         import java.util.regex.Pattern;
  • (번역)PleaseStopCallingDatabasesCPOrAP . . . . 1 match
          In building distributed systems, you need to consider a much wider range of trade-offs, and focussing too much on the CAP theorem leads to ignoring other important issues.
  • 2.스캐닝-해킹공격9단계 . . . . 1 match
         portsentry
  • 2024-04-11(Th) Raspberry Pi 5에 MoniWiki 설치하기(Docker 이용) . . . . 1 match
          ports:
  • BitSetTest . . . . 1 match
         import java.util.BitSet;
  • CssStyle . . . . 1 match
         @import url("/css/advanced.css");
  • EclipseGit . . . . 1 match
         export GIT_SSH=/usr/bin/ssh
  • ExpectScript/if-statementAndOsEnv . . . . 1 match
         export OS=$(uname)
  • FirefoxTips . . . . 1 match
         network.security.ports.banned.override=95,6000
  • GuavaRateLimiterExample . . . . 1 match
         import com.google.common.util.concurrent.RateLimiter
  • HelpContents . . . . 1 match
         Here is a tour of the most important help pages:
  • HelpOnFormatting . . . . 1 match
         /!\ MoinMoin does not support escape "{''''''{{" markup in preblock.
  • HelpOnLists . . . . 1 match
         /!\ ''term'' cannot contain any wiki markup in the MoinMoin but, MoniWiki support wiki markups.
  • IdeaQclassDuplicated . . . . 1 match
         왼쪽 모듈 선택 트리에서 Gradle Imported 로 생성되어 있는 것들을 모두 삭제하면 모두 Default 밑으로 옮겨진다.
  • IterableReducer . . . . 1 match
         import reactor.fn.BiFunction;
  • JUnit3VsJUnit4 . . . . 1 match
         static import 구문
  • JavaListSystem.properties() . . . . 1 match
         java.vendor.url.bug=http://java.sun.com/cgi-bin/bugreport...
  • JavaRegexp . . . . 1 match
         import java.util.regex.*;
  • Keychron K9 Pro . . . . 1 match
         [QMK]/[VIA] support
  • MSWindowsTip . . . . 1 match
         = port scan : netstat =
  • Maven . . . . 1 match
         Apache Maven is a software project management and comprehension tool. Based on the concept of a project object model (POM), Maven can manage a project's build, reporting and documentation from a central piece of information.
  • MavenDependency관리 . . . . 1 match
          * import(maven 2.0.9이상) : <dependencyManagement> 섹션에서 다른 POM을 지정
  • Maven사용하기 . . . . 1 match
         ==> eclipse 에서 File > Import > General > Existing Projects into Workspace 를 이용하여 임포팅
  • Meaning of INVERSION from SOLID DIP . . . . 1 match
         In conventional application architecture, lower-level components (e.g., Utility Layer) are designed to be consumed by higher-level components (e.g., Policy Layer) which enable increasingly complex systems to be built. In this composition, higher-level components depend directly upon lower-level components to achieve some task. This dependency upon lower-level components limits the reuse opportunities of the higher-level components.
  • MoniWiki . . . . 1 match
         MoniWiki is a PHP based WikiEngine. WikiFormattingRules are imported and inspired from the MoinMoin. '''Moni''' is slightly modified sound means '''What ?''' or '''What is it ?''' in Korean and It also shows MoniWiki is nearly compatible with the MoinMoin.
  • MoniWikiACL . . . . 1 match
         # some POST actions support protected mode using admin password
  • SCM . . . . 1 match
         SCM is commonly known as version control, and is achieved using tools such as [CVS]. SCM is key to any software development project that wants to actually ship and support a project.
  • SmbMountOnUbuntu . . . . 1 match
         Server does not support EXTENDED_SECURITY
  • SparkPerformanceTestResultsOnCluster . . . . 1 match
         val df = sqlContext.read.format("com.databricks.spark.csv").option("header", "true").option("inferSchema", "true").load("export.csv")
  • SpringMvcMemo . . . . 1 match
         PropertyEditorSupport
  • String empty vs blank . . . . 1 match
         import org.apache.commons.lang.StringUtils
  • UseCase정의서 . . . . 1 match
          * Suppporters : 부액터
  • WebSocket-Html5 . . . . 1 match
          alert("the browser doesn't support WebSocket.");
  • WebWork . . . . 1 match
         WebWork is a Java web-application development framework. It is built specifically with developer productivity and code simplicity in mind, providing robust support for building reusable UI templates, such as form controls, UI themes, internationalization, dynamic form parameter mapping to JavaBeans, robust client and server side validation, and much more.
  • WikiSlide . . . . 1 match
          * The most important macros:
  • cast long to int safely . . . . 1 match
         import static java.lang.Math.toIntExact;
  • chrome . . . . 1 match
         chrome.exe --explicitly-allowed-ports=6000,95
  • classpath . . . . 1 match
         export CLASSPATH=`find -type f -name "*.jar" -printf :%p`
  • com.gimslab.util.batch.UniqLoopingBatchProcess.java . . . . 1 match
         import java.io.*;
  • css . . . . 1 match
         @import url("print.css") print;
  • dns . . . . 1 match
         dns port : TCP/UDP 53
  • docker-compose . . . . 1 match
          ports:
  • encodeURL . . . . 1 match
          catch(java.io.UnsupportedEncodingException uee){
  • fest.assertions . . . . 1 match
         import static org.fest.assertions.api.Assertions.assertThat;
  • plex . . . . 1 match
         /var/lib/plexmediaserver/Library/Application Support/Plex Media Server/Plug-ins
  • spark . . . . 1 match
         val df = sqlContext.read.format("com.databricks.spark.csv").option("header", "true").option("inferSchema", "true").load("export.csv")
  • tcpdump . . . . 1 match
         sudo tcpdump -i eth0 -A dst a.b.com and tcp port http
  • tomcat . . . . 1 match
         <Connector URIEncoding="UTF-8" connectionTimeout="20000" port="8080"
         protocol="HTTP/1.1" redirectPort="8443" useBodyEncodingForURI="true" />
  • vmware . . . . 1 match
         port 4172
  • wol . . . . 1 match
         port = 9 (포트포워딩 필요)
  • xsl적용하기.js . . . . 1 match
          xsltProc.importStylesheet(xslDoc);
  • 나는아마존에서미래를다녔다-박정준-201907 . . . . 1 match
         6p report
  • 썬더버드설정옮기기 . . . . 1 match
         http://support.mozillamessaging.com/bg/kb/Profiles
  • 정규식치환문자 . . . . 1 match
         | \1 | Insert a copy of that portion of the original text which |
Found 126 matching pages out of 1802 total pages

You can also click here to search title.

Valid XHTML 1.0! Valid CSS! powered by MoniWiki
last modified 2009-04-07 09:43:53
Processing time 0.4560 sec