q:String s = new String("obj"),创建了几个对象?那Person p = new Person()那?
a:两个。Person p = new Person()肯定只创建了一个了。
java api中对问题中所用String构造方法的解释:
public String([color=red]String original[/color])
Initializes a newly created String object so that it represents the same sequence of characters as the argument; in other words, the newly created string is a copy of the argument string. Unless an explicit copy of original is needed, use of this constructor is unnecessary since Strings are immutable.
so,original String 和new出的这个String,总共两个String对象!
[color=red]String a = new String("foo");
第一次执行时创建了二个, 一个为字面量"foo"(它本身是一个String对象), 一个为new String("foo")(它是通过new创建的, 功能上和字面量"foo"完全一样, 但却是另一个对象).

第二次执行时, 只创建一个, 即new String("foo"), 这是因为: "foo"作为String字面量, 是存在于String Pool里面的, 第二次使用它时, 直接指向原有的String, 而不再创建新的String; 但new String("foo")却每执行一次都创建一个新的,完全一样的String对象.

因此, 结论是: 永远不要使用 String a = new String("foo");这种方式来创建字符串, 而要用String a = "foo";这种方式. 这一点在<Effetive JAVA>第四条中说得很清楚了.[/color]
关于String的intern()方法:
When the intern method is invoked, if the pool already contains a string equal to this String object as determined by the equals(Object) method, then the string from the pool is returned. Otherwise, this String object is added to the pool and a reference to this String object is returned.
扩展:
[quote]

String str1 = "a"+"b"+"c"; String str2 = new String("a"+"b"+"c");

创建了多少个对象?
6个。
String str1 = "a"+"b"+"c";
这个创建了:
1、"a"
2、"b"
3、"c"
4、"ab"
5、"abc"
总计5个
String str2 = new String("a"+"b"+"c");
这个比上面还多一个new创建的对象

时把握几点:
1、每个字符串都是常量,所以"a"、"b"、"c"都是一个个的对象
2、每次操作都会产生新的字符串对象,例如"ab"和"abc"
3、遇到new则申请内存,创建新的对象
[/quote]

q:咋样通过已有表创建新表?
a:[quote]
sqlserver中用select * into newtable from oldtable where 1=0
oracle和mysql中用create table newtable as select * from oldtable where 1=0
加where条件是为了过滤掉旧表中的数据;不加的话,旧表中的数据也全部会被copy到新表中
[/quote]

q:简述weblogic的部署;weblogic的热启动是什么?
a:建一个domain;项目直接打成war包放domain里;配置数据源时需要修改其配置文件。

q:

       int count = 0;       for(int i=0; i<100; i++) {          count+=count++;       }     System.out.println("count : " + count);

a:输出为0.
[quote]
解释:
count=count+(count++),为了方便,姑且把这个式子记为A=B+C,假设在计算前,count的值是M
计算机的计算过程应该是这样的:
1.先对B、C的数据分配寄存器,并将B的值M直接赋值到寄存器中(因为这个值对于寄存器来讲是常量);
2.由于C部分是count++,所以将C的值M也存入寄存器中;
3.计算++操作,此时内存中count的值变为M+1,但这个改变对B和C在寄存器中的值并没有影响;
4.计算寄存器中的B+C,的到结果M+M,即2M;
5.将计算结果2M写入到内存中count的存储单元。
所以++操作并不是没有执行,而是被后来的操作覆盖掉了。整个表达式的结果与count+=count没有差别,但计算时间要稍长,不过这个时间差不会被感觉到。
这种表达式在学习语法和计算机体系结构的时候还是可以的,在实际工程中一定不要使用,小心老板炒了你……
[/quote]
扩展:
[quote]

       int i = 0;       i = i++;       System.out.println("i: " + i);

       int j = 0;       j = ++j;       System.out.println("j: " + j);

       int k = 0;       k = k++ + k++;      System.out.println("k: " + k);

       int l = 0;       l = ++l + ++l;      System.out.println("l: " + l);

输出为
i: 0
j: 1
k: 1
l: 3
解释:
[b]Prefix behavior[/b]
With the prefix version, the variable is incremented before it is used to evaluate the larger overall expression.
[b]Postfix behavior[/b]
With the postfix version, the variable is used to evaluate the larger overall expression and then it is incremented.
[url]http://www.coderanch.com/t/411691/Beginning-Java/java/about[/url]
This is a classic pitfall which everybody falls for; if you do a search of JavaRanch you will find it comes up several times a year.
There are two values you need to consider; the value of the variable i and the value of the expression i++. When you start off, the value of i is 0, but the value of i++ is the old value of i, still 0.
You start going into the i = i++; statement; the first things that happen are that i++ is evaluated (as stated previously that is 0) and i is incremented, so it is now 1.
Then what happens is that i is set to the value of whatever is to the right of the =, which we have already seen is 0. The value 1 vanishes into cyber-limbo never to be seen again.
Try changing that statement to i = ++i; and see what happens.
[/quote]

下面的程序,哪个程序有误?

A. short s=1; s=s+1;B. short s=1; s+=1;

答案是A。
析:
在Java语言规范中讲,[b][color=red]复合赋值 E1 op= E2等价于简单赋值E1 = (T)((E1)op(E2)),其中T是E1的类型[/color][/b],除非E1只被计算一次。换句话说,复合赋值表达式自动地将它们所执行的计算的结果转型为其左侧变量的类型。如果结果的类型与该变量的类型相同,那么这个转型不会造成任何影响。然而,如果结果的类型比该变量的类型要宽,那么复合赋值操作符将悄悄地执行一个窄化原始类型转换。
So,针对本题,s=s+1需要强制类型转换,即s=(short)(s+1);对于答案B,s+=1属于复合赋值表达式,会自动地将它们所执行的计算的结果转型为其左侧变量的类型。
扩展:

byte b = 127;b += 1;System.out.println(b);

byte a = 127;a = (byte)(a+1);//写成"a = a+1"无法编译通过,报:"cannot convert from int to byte"System.out.println(a);

输出:
-128
-128

j2ee十三种核心技术?三种ejb?
JDBC, JNDI, EJBs, RMI, JSP, Java servlets, XML, JMS, Java IDL, JTS, JTA, JavaMail 和 JAF;
EJB 依照特性的不同,目前区分为三种,分别是 Session Bean ,Entity Bean ,以及 Message Driven Bean

q:曾经采用ThrealLocal模式实现分页;为什么把分页变量放threadlocal里那?这样设计的原因是什么?
a:基于线程安全的考虑

q:自定义一个exception,用spring来做声明式事务管理,在持久化操作时出问题时抛出自定义异常。在一次持久化操作中,自定义异常被抛出(没有用try-catch吞掉它),可是事务没有回滚,为什么?
A:spring官方解答:
[url]http://static.springsource.org/spring/docs/2.5.x/reference/transaction.html#transaction-declarative-rolling-back[/url][quote]
Note however that the Spring Framework's transaction infrastructure code will, by default, only mark a transaction for rollback in the case of runtime, unchecked exceptions; that is, [b]when the thrown exception is an instance or subclass of RuntimeException. (Errors will also - by default - result in a rollback.) Checked exceptions that are thrown from a transactional method will not result in the transaction being rolled back.[/b]

Exactly which Exception types mark a transaction for rollback can be configured

When the Spring Framework's transaction infrastructure has caught an exception and is consulting any configured rollback rules to determine whether or not to mark the transaction for rollback, the strongest matching rule wins. So in the case of the following configuration, any exception other than an InstrumentNotFoundException would result in the attendant transaction being marked for rollback:

<tx:advice id="txAdvice">  <tx:attributes>  <tx:method name="*" rollback-for="Throwable" no-rollback-for="InstrumentNotFoundException"/>  </tx:attributes></tx:advice>

[/quote][b]说明:问题中已说明“自定义异常被抛出”,异常没有被吞掉;如果没这句说明,这事务未回滚的原因除了因为“spring默认只在捕获unchecked exception时触发事务回滚”外,还可能是因为你用try-catch块将这个unchecked exception捕获了,并且没有在catch后调用spring api对事务进行显式回滚(即:把它吞掉了),没有抛出它!(不管用try-catch捕获service方法的unchecked exception是否符合设计原则,但这确实是可能的一个原因。)[/b]
解决的办法:
1 自定义异常定义成RumtimeException的子类(抛出一个unchecked exceptioon是没有意义的,所以不推荐这种做法)
2 在spring的事务拦截定义中为具体要拦截的方法设置其在抛出自定义异常时回滚。这里给出一个TransactionProxyFactoryBean中配置的例子:

<bean id="baseTxService"       class="org.springframework.transaction.interceptor.TransactionProxyFactoryBean"        abstract="true">        <property name="transactionManager" ref="transactionManager" />       <property name="proxyTargetClass">           <value>true</value>       </property>     <property name="transactionAttributes">          <props>             <prop key="update*">PROPAGATION_REQUIRED,ISOLATION_READ_COMMITTED,-DataBaseException,-BaseException(注:this is a transaction attribute descriptors that parsed via TransactionAttributeEditor)               </prop>         </props>        </property> </bean>

关于transaction attribute descriptors that parsed via TransactionAttributeEditor:
[b][url]http://static.springsource.org/spring/docs/3.0.0.M1/javadoc-api/org/springframework/transaction/interceptor/TransactionAttributeEditor.html[/url][/b]
[url]http://forum.springsource.org/showthread.php?t=38515[/url]
[quote]
public class TransactionAttributeEditor
extends java.beans.PropertyEditorSupport
PropertyEditor for TransactionAttribute objects. Accepts a String of form

PROPAGATION_NAME,ISOLATION_NAME,readOnly,timeout_NNNN,+Exception1,-Exception2

where [color=red]only propagation code is required[/color]. For example:

PROPAGATION_MANDATORY,ISOLATION_DEFAULT

[color=red]The tokens can be in any order[/color]. Propagation and isolation codes must use the names of the constants in the TransactionDefinition class. Timeout values are in seconds. If no timeout is specified, the transaction manager will apply a default timeout specific to the particular transaction manager.

A "+" before an exception name substring indicates that transactions should commit even if this exception is thrown; a "-" that they should roll back.

[color=red]Null or the empty string means that the method is non transactional.[/color]
[/quote]

q:hibernate用户信息实体类Userinfo的主键生成策略为uuid;但在保存用户信息时为其指定了Id的值,问这段代码能顺利执行吗?

private static ApplicationContext context = new ClassPathXmlApplicationContext("resource/xxx/applicationContext.xml");

  /**    * 能成功插入该条用户数据,但因为userinfo的主键生成策略为uuid,故为其设置的id值无效;   * 实际插入数据库的userinfo记录的id值还是由hibernate按照uuid生成策略自动生成的,通过调用setId设置的id值被hibernate忽略    */   public void testHibernateUuid() {     UserManagerServiceImpl umsi = (UserManagerServiceImpl)context.getBean("userManagerServiceTarget");     UserInfo ui = new UserInfo();        ui.setId("00000000000000000000000000000000");       ui.setAccountName("acountName000");     ui.setName("name000");      ui.setEmail("000@000.coom");

     umsi.userSave(ui);    }

a:数据被成功插入,并且通过调用setId设置的id值无效,如图就是刚插入的数据:
[img]http://dl.iteye.com/upload/attachment/200824/865d5315-9275-3b91-857f-7291f1c86e97.png[/img]

q;下面语句的输出是什么:

   public static void main(String[] args) {      boolean b;        int i = 1;       float f;

        System.out.println(b=false);     System.out.println(b);        System.out.println(i=2);     System.out.println(f=3.1f);      if(b=true) {         System.out.println("test");     } }

a:输出:
false
false
2
3.1
test

Q:下列代码执行的结果是什么?

public class FakeSingleton {

    private int i = 1;    private FakeSingleton instance = new FakeSingleton();

    private FakeSingleton() {}

    public FakeSingleton getInstance() {        return instance;    }

    public static void main(String[] args) {        FakeSingleton fake = new FakeSingleton();    }}

A:会报[color=red][b]java.lang.StackOverflowError[/b][/color]
析:反编译class文件看到的内容:

public class FakeSingleton{    private FakeSingleton()    {        i = 1;        instance = new FakeSingleton();    }

    public FakeSingleton getInstance()    {        return instance;    }

    public static void main(String args[])    {        FakeSingleton fake = new FakeSingleton();    }

    private int i;    private FakeSingleton instance;}

可知:[b][color=red]对做了初始化的非静态成员变量(即实例变量 instance variables),这些实例变量的初始化工作是在构造方法中进行的[/color][/b];而该例中,main方法在new FakeSingleton的实例 fake时,其所调用的构造方法又对FakeSingleton的实例变量instance做了new的工作,从而产生递归调用,导致了StackOverflowError。

jdbc、hibernate、ibatis的区别?[quote]jdbc:手动
手动写sql
delete、insert、update要将对象的值一个一个取出传到sql中,不能直接传入一个对象。
select:返回的是一个resultset,要从ResultSet中一行一行、一个字段一个字段的取出,然后封装到一个对象中,不直接返回一个对象。
ibatis的特点:半自动化
sql要手动写
delete、insert、update:直接传入一个对象
select:直接返回一个对象
hibernate:全自动
不写sql,自动封装
delete、insert、update:直接传入一个对象
select:直接返回一个对象

从性能等角度考虑:
jdbc更为灵活,更加有效率,系统运行速度快。但是用起来麻烦,有的时候用了存储过程就不方便数据库移植了。
2 Hibernate,IbatIS 关系数据库框架,开发速度快,更加面向对象,可以移植更换数据库,但影响系统性能。
[/quote]

ext缺点?[quote]加载页面慢
时间一长,浏览器占内存就会疯长
服务器端功能极度削弱,除了数据库操作外,几乎所有功能都到了客户端,还得用javascript来写。
功能全到了客户端,而客户端语言javascript的编写还是有许多的麻烦,真正精通它的人极少。
javascript对于大部分人来说,不易调试
大量存在的javascript代码难以维护
开发速度极慢。[/quote]

Q:区别:
StringBuffer StringBuilder
Vector ArrayList
HashTable HashMap
A:[quote][b]StringBuffer(since JDK1.0) StringBuilder(since JDK1.5):[/b]
StringBuffer是线程安全的;StringBuilder是非线程安全的;
[b]Vector(since jdk1.0) ArrayList(since jdk1.2):[/b]
Vector是线程安全的;ArrayList是非线程安全的;
当需要增长时,Vector默认增长为原来一培,而ArrayList却是原来的一半
[b]HashTable(since JDK1.0) HashMap(since JDK1.2):[/b]
HashTable是线程安全的;HashMap是非线程安全的;
HashMap可以将null作为一个条目的key或value([b][color=red]最多只允许一条记录的键为NULL,允许多条记录的值为NULL[/color][/b]);HashTable不可以。
[/quote]析:StringBuffer、Vector和HashTable[b]三个较早的JDK类[/b]因为加了synchronized关键字使它们是线程安全的,不可避免的就会存在并发时的性能问题。

Q:oracle数据库,emp表中总共有14条记录,执行以下sql,结果是什么?why?

select * from emp  where rownum >=0  /** 14 rows selected **/select * from emp  where rownum >0   /** 14 rows selected **/select * from emp  where rownum >=1  /** 14 rows selected **/select * from emp  where rownum >1   /** 0 rows selected **/select * from emp  where rownum >=2  /** 0 rows selected **/select * from emp  where rownum >2   /** 0 rows selected **/

select * from emp where rownum <=10  /** 10 rows selected **/

A:执行结果见上SQL代码区域中的注释。原因分析见:
[url]http://www.iteye.com/topic/197531[/url]
[url]http://wuaner.iteye.com/blog/433836[/url]

Q:java中char类型是否可以表示汉字?
A:可以,因为java中char占两个字节。

Q:Math.round(11.5) = ? ; Math.round(-11.5) = ?
A:Math.round(11.5) = 12 ; Math.round(-11.5) = -11 . 详见:
[url]http://wuaner.iteye.com/admin/blogs/1008648[/url]

Q:switch能否作用在btye上、long上、String上?
A:在switch(expr1)中,expr1只能是一个整数表达式或者枚举常量(更大字体),整数表达式可以是int基本类型或Integer包装类型,由于,byte,short,char都可以隐含转换为int,所以,这些类型以及这些类型的包装类型也是可以的。显然,long 和 String 类型都不符合 switch 的语法规定,并且不能被隐式转换成int类型,所以,它们不能作用于 swtich 语句中。

Q:是否可以:接口继承接口? 抽象类实现接口? 抽象类继承实体类?
A:都可以。

Q:Class.forName的作用?为什么用?
A:用来加载类。之所以要用它,是因为它可以实现动态加载,为系统提供更大的灵活性,让系统维持轻量级。具体请参阅该PDF文档:
[url]http://www.theserverside.com/news/1365412/Understanding-ClassforName-Java[/url]

Q:jsp中动态include和静态include的区别?
A:

Q:servlet的生命周期?
A:

Q:如果系统要使用超大整数(超过long表示范围),请设计一个数据结构来存储这种超大整数,并设计一种算法来实现超大整数加法运算。
A:

Q:[quote]What all gets printed when the following gets compiled and run. Select the three correct answers.

public class test {    public static void main(String args[]) {         int i=1, j=1;        try {            i++;             j--;            if(i/j > 1)                i++;        }        catch(ArithmeticException e) {            System.out.println(0);        }        catch(ArrayIndexOutOfBoundsException e) {            System.out.println(1);        }        catch(Exception e) {            System.out.println(2);        }        finally {            System.out.println(3);        }        System.out.println(4);     }}

A 0
B 1
C 2
D 3
E 4[/quote]
A:A、D、E 。 当初答的时候没tm看清题目!草的,引以为戒!

Q:[quote]which are true?
A. static inner class requires a static initializer
B. A static inner class requires an instance of the enclosing class
C. A static inner class has no reference to an instance of the enclosing class
D. A static inner class has accesss to the non-static member of the other class
E. static members of a static inner class can be referenced using the class name of the static inner class [/quote]
A :答案肯定是C、E了。当初答题压根就没注意还有个E选项!以后读英文卷子可得tm细心点!

Q:[quote]Given:

TreeSet map = new TreeSet(); //1map.add("one"); //2map.add("two"); //3map.add("three");//4map.add("four);//5map.add("one");//6Iterator it = map.iterator();//7while (it.hasNext() ) {//8    System.out.print( it.next() + " " );//9}

What is the result?
A.Compilation fails.
B.one two three four
C.four one three two
D.An exception is thrown at runtime.
E.The print order is not guaranteed.
[/quote]
A:答案是C。
析:first,set里元素没有顺序,不可以重复,所以第六行往TreeSet里再次加字符串"one"是加不进去的;
second,因为该set里放的是String,所以用的是String的natural ordering(所谓natural ordering,就是那些已经实现了Comparable接口的类,重写了该接口的compareTo()方法,等于是这些类在同类的对象间比较时有了个JDK就定义了的比较方式,这种JDK内定义的比较方方式就称为natural ordering)。附上JDK中String类中compareTo方法解释:[quote]public int compareTo(String anotherString)

Compares two strings lexicographically. The comparison is based on the Unicode value of each character in the strings. The character sequence represented by this String object is compared lexicographically to the character sequence represented by the argument string. The result is a negative integer if this String object lexicographically precedes the argument string. The result is a positive integer if this String object lexicographically follows the argument string. The result is zero if the strings are equal; compareTo returns 0 exactly when the equals(Object) method would return true.

This is the definition of lexicographic ordering. If two strings are different, then either they have different characters at some index that is a valid index for both strings, or their lengths are different, or both. If they have different characters at one or more index positions, let k be the smallest such index; then the string whose character at position k has the smaller value, as determined by using the < operator, lexicographically precedes the other string. In this case, compareTo returns the difference of the two character values at position k in the two string -- that is, the value:

this.charAt(k)-anotherString.charAt(k)

If there is no index position at which they differ, then the shorter string lexicographically precedes the longer string. In this case, compareTo returns the difference of the lengths of the strings -- that is, the value:

this.length()-anotherString.length()
[/quote]

Q:[quote]

public class Letters extends Thread {

    private String name;

    public Letters(String name) {        this.name = name;    }

    public void write() {        System.out.print(name);        System.out.print(name);    }

    public static void main(String[] args) {        new Letters("X").start();        new Letters("Y").start();    }}

Question: We want to guarantee that the output can be either XXYY or YYXX, but never XYXY or any other combination. Which of the following method definitions could be added to the Letters class to make this guarantee? (Choose all that apply.)
A. public void run() { write(); }
B. public synchronized void run() { write(); }
C. public static synchronized void run() { write(); }
D. public void run() { synchronized(this) { write(); } }
E. public void run() { synchronized(Letters.class) { write(); } }
F. public void run() { synchronized(System.out) { write(); } }
G. public void run() { synchronized(System.out.class) { write(); } }[/quote]
A:[quote]答案是E、F。

    public void run() { write(); } //不能保证结果如题目要求般输出    public synchronized void run() { write(); } //不能保证结果如题目要求般输出    public static synchronized void run() { write(); } //编译错误:the static method cannot hide instance method from Thread    public void run() { synchronized(this) { write(); } } //不能保证结果如题目要求般输出    public void run() { synchronized(Letters.class) { write(); } } //OK    public void run() { synchronized(System.out) { write(); } }  //OK    public void run() { synchronized(System.out.class) { write(); } } //编译错误:System.out cannot be resolved to a type

[/quote]
析:[url]http://www.coderanch.com/t/417999/java-programmer-SCJP/certification/Synchronizing-thread[/url][quote] E and F are correct. E and F both cause both threads to lock on the same object, which will prevent the threads from running simultaneously, and guarantee XXYY or YYXX. It's a bit unusual to lock on an object like System.out, but it's perfectly legal, and both threads are locking on the same object.
[b]A class literal must start with a class name. System.out is a field not a class, so System.out.class is not a valid class literal[/b].[/quote]
[url]http://www.coderanch.com/t/262030/java-programmer-SCJP/certification/book-Threads-Exercise[/url]
[color=red][b]关于两个正确选项的更详细解释,请参加本博客:
[url]http://wuaner.iteye.com/admin/blogs/998696[/url][/b][/color]

Q:下列代码:

public class Test{   public static int a = 5; public static void main(String[] args)    {     Test test = new Test();      test = null;     System.out.println(test.a);   }}

给出程序的执行结果,如果程序有错,请说明错误原因。
A:不会报错,会输入5.
析:java static field from null:
[url]http://stackoverflow.com/questions/6782276/java-static-field-from-null[/url]

Q:为什么非主键索引会降低更新速度,提高查询速度?
A:非主键索引需要在数据表本身的存储空间外额外开销存储空间,所以在更新的时候可能不仅要更新数据表本身,[b]还要更新非主键索引[/b],更新内容更多了,[b]所以导致速度降低[/b]。反过来,如果数据表中的数据按照主键索引的顺序存储,更新的时候就没有额外的开销。
非主键索引对提高查询速度来讲,主要的方面是:检索的条件(where...)如果命中对应的非主键索引的话,就[b]不需要对数据表做全表扫描[/b],效率肯定是大大提高。

Q:设一个散列表包含hashSize=13个表项,其下标从0到12。采用除留余数法作为散列函数,线性探查法解决冲突.,将下列关键码散列到表中:
10 100 32 45 58 126 3 29 200 400 0
A:[table]
|下标 H(key)|0|1|2|3|4|5|6|7|8|9|10|11|12|
|关键码 key|0|||3|29|200|32|45|58|100|10|126|400|
[/table]

Q:简述TCP/IP三次握手
A:A与B建立TCP连接时:首先A向B发SYN(同步请求),然后B回复SYN+ACK(同步请求应答),最后A回复ACK确认,这样TCP的一次连接就通过这三次握手建立起来了!
[url]http://www.inetdaemon.com/tutorials/internet/tcp/3-way_handshake.shtml[/url]

My Interview相关推荐

  1. 今天收到上海某公司的全英文笔试题(some question of interview )

    Interview email questions are in 4 categories. We look for candidates who give good responses in any ...

  2. 35+ Top Apache Tomcat Interview Questions And Answers【转】

    原文地址:https://www.softwaretestinghelp.com/apache-tomcat-interview-questions/ Most frequently asked Ap ...

  3. 机器学习面试题合集Collection of Machine Learning Interview Questions

    The Machine Learning part of the interview is usually the most elaborate one. That's the reason we h ...

  4. Oversea company interview question.

    2019独角兽企业重金招聘Python工程师标准>>> network, web, database, Linux system Interview Questions Given ...

  5. Interview:算法岗位面试—2019秋招校园招聘—算法工程师【机器学习、深度学习(偏图像)】秋招感悟:初期阶段的傲娇→中期阶段的紧张→后期阶段的蜕变

    ML岗位面试:2019秋招&校园招聘-算法工程师[机器学习.深度学习(偏图像)]秋招感悟:初期阶段的傲娇→中期阶段的紧张→后期阶段的蜕变 Interview:算法岗位面试-2019秋招& ...

  6. Interview:算法岗位面试—11.19早上上海某银行(总行,四大行之一)信息技术岗面试记录

    ML岗位面试:11.19早上上海某银行(总行,四大行之一)信息技术岗面试记录 Interview:算法岗位面试-11.19早上上海某银行(总行,四大行之一)信息技术岗面试记录 导读:该次面试是笔试通过 ...

  7. Interview:算法岗位面试—11.17下午上海某网**软件公司(上市)技术面之比赛考察、目标检测算法、视频分析算法考点

    Interview:算法岗位面试-11.17下午上海某网**软件公司(上市)技术面之比赛考察.目标检测算法.视频分析算法考点 导读:邀约的下午14.30,到的时候前边有两个学生在等待,当轮到我的时候, ...

  8. Interview:算法岗位面试—11.15下午上海某航天***公司(国企)技术面之工业机器视觉认知、计算机视觉算法的理解、目标检测相关项目案例

    ML岗位面试:11.15下午上海某航天***公司(国企)技术面之工业机器视觉认知.计算机视觉算法的理解.目标检测相关项目案例 Interview:算法岗位面试-11.15下午上海某航天***公司(国企 ...

  9. Interview:算法岗位面试—11.07早上上海某机器人公司(上市)面试之项目考察、比赛考察、图像算法的考察等

    Interview:算法岗位面试-11.07早上上海某机器人公司(上市)面试之项目考察.比赛考察.图像算法的考察等 导读:该公司是国内做机器人领域的Top5公司,邀约的早9点.去了之后,一位美女HR和 ...

  10. Interview:算法岗位面试—11.06早上上海某智能驾驶科技公司(创业)笔试+面试之手撕代码、项目考察、比赛考察、图像算法的考察等

    Interview:算法岗位面试-11.06早上上海某智能驾驶科技公司(创业)笔试+面试之手撕代码.项目考察.比赛考察.图像算法的考察等 导读:该公司是在同济某次大型招聘会上投的,当时和HR聊了半个多 ...

最新文章

  1. 编程语言通用知识 编程语言的应用
  2. 什么是引发?Java运行时系统引发的异常如何处理?
  3. Binary Numbers(HDU1390)
  4. 生于资本,死于泡沫,review ofo衰亡
  5. MAC抓包工具charles(青花瓷)
  6. c语言工程师专业分析,一个资深c语言工程师说如何学习c语言.pdf
  7. 如何剪辑音频,音频剪辑的简单操作
  8. 安卓利用谷歌文字转语音引擎实现离线文字播报语音
  9. 如何快速成为Python工程师?
  10. 使用VirtualBox搭建分布式集群环境记录
  11. 图像处理中的梯度、导数如何求?(Robert算子,Sobel算子,Prewitt算子,Laplace算子)
  12. pika详解(五)登录认证及connectionParameters
  13. 【对标TensorFlow】阿里公开内部超大规模分布式机器学习平台
  14. 2022年「博客之星」参赛博主:hyk今天写算法了吗
  15. 微信公众号(服务号)接入开发(2)之微信授权登陆
  16. mysql——convert函数
  17. LVGL文件浏览器|基于 lvgl 实现的简洁、通用、轻量级的文件浏览器
  18. linux安装ntp 4.2.8,Centos6 安装NTP 4.2.8 服务器
  19. DirectX—昨天,今天,明天[1]
  20. 8020规则和CRM

热门文章

  1. MATLAB小提琴仿真(数学物理方程)大作业人工智能
  2. miniconda安装及环境创建(Linux)
  3. apollo planning module
  4. 【华为OD机试真题 python】完美走位【2022 Q4 | 100分】
  5. JAVA 表格文件简介和解析
  6. python基础-结束循环的方式
  7. linux c语言文件锁,Linux下glibc库文件锁:协同锁(advisory lock)和强制锁(mandatory lock)...
  8. PlotJuggler绘图工具无法打开rosbag文件解决方案
  9. Deep Learning Paper读后简记
  10. spark 的lit是什么_什么是LIT文件(以及如何打开一个文件)?