diff options
56 files changed, 1613 insertions, 1064 deletions
| diff --git a/.dir-locals.el b/.dir-locals.el new file mode 100644 index 0000000000..17bf4b636c --- /dev/null +++ b/.dir-locals.el @@ -0,0 +1,9 @@ +;; Project-wide Emacs settings +( + ;; `nil' settings apply to all language modes + (nil +  ;; Use only spaces for indentation +  (indent-tabs-mode . nil)) + (c-mode +  ;; In C code, indentation is four spaces +  (c-basic-offset . 4))) diff --git a/.travis.yml b/.travis.yml index 43bf0c7fb5..ef17d6fbe7 100644 --- a/.travis.yml +++ b/.travis.yml @@ -40,4 +40,4 @@ after_success:    - ./otp_build tests && make release_docs  after_script: -  - cd $ERL_TOP/release/tests/test_server && $ERL_TOP/bin/erl -s ts install -s ts smoke_test batch -s init stop +  - ./scripts/run-smoke-tests diff --git a/CONTRIBUTING.md b/CONTRIBUTING.md new file mode 100644 index 0000000000..328b9f7859 --- /dev/null +++ b/CONTRIBUTING.md @@ -0,0 +1,98 @@ +# Contributing to Erlang/OTP + +## Reporting a bug + +Report bugs at https://bugs.erlang.org. See [Bug reports](https://github.com/erlang/otp/wiki/Bug-reports) +for more information. + +## Submitting Pull Requests + +You can contribute to Erlang/OTP by opening a Pull Request. + +## Fixing a bug + +* In most cases, pull requests for bug fixes should be based on the `maint` branch. +There are exceptions, for example corrections to bugs that have been introduced in the `master` branch. + +* Include a test case to ensure that the bug is fixed **and that it stays fixed**. + +* TIP: Write the test case **before** fixing the bug so that you can know that it catches the bug. + +* For applications without a test suite in the git repository, it would be appreciated if you provide a +small code sample in the commit message or email a module that will provoke the failure. + +## Adding a new feature + +* In most cases, pull requests for new features should be based on the `master` branch. + +* It is recommended to discuss new features on +[the erlang-questions mailing list](http://erlang.org/mailman/listinfo/erlang-questions), +especially for major new features or any new features in ERTS, Kernel, or STDLIB. + +* It is important to write a good commit message explaining **why** the feature is needed. +We prefer that the information is in the commit message, so that anyone that want to know  +two years later why a particular feature can easily find out. It does no harm to provide +the same information in the pull request (if the pull request consists of a single commit, +the commit message will be added to the pull request automatically). + +* With few exceptions, it is mandatory to write a new test case that tests the feature. +The test case is needed to ensure that the features does not stop working in the future. + +* Update the [Documentation](https://github.com/erlang/otp/wiki/Documentation) to describe the feature. + +* Make sure that the new feature builds and works on all major platforms. Exceptions are features +that only makes sense one some platforms, for example the `win32reg` module for accessing the Windows registry. + +* Make sure that your feature does not break backward compatibility. In general, we only break backward +compatibility in major releases and only for a very good reason. Usually we first deprecate the +feature one or two releases beforehand. + +* In general, language changes/extensions require an +[EEP (Erlang Enhancement Proposal)](https://github.com/erlang/eep) to be written and approved before they  +can be included in OTP. Major changes or new features in ERTS, Kernel, or STDLIB will need an EEP or at least +a discussion on the mailing list. + +## Before you submit your pull request + +* Make sure existing test cases don't fail. It is not necessary to run all tests (that would take many hours), +but you should at least run the tests for the application you have changed. +See [Running tests](https://github.com/erlang/otp/wiki/Running-tests). + +Make sure that your branch contains clean commits: + +* Don't make the first line in the commit message longer than 72 characters. +**Don't end the first line with a period.** + +* Follow the guidelines for [Writing good commit messages](https://github.com/erlang/otp/wiki/Writing-good-commit-messages). + +* Don't merge `maint` or `master` into your branch. Use `git rebase` if you need to resolve merge +conflicts or include the latest changes. + +* To make it possible to use the powerful `git bisect` command, make sure that each commit can be +compiled and that it works. + +* Check for unnecessary whitespace before committing with `git diff --check`. + +Check your coding style: + +* Make sure your changes follow the coding and indentation style of the code surrounding your changes. + +* Do not commit commented-out code or files that are no longer needed. Remove the code or the files. + +* In most code (Erlang and C), indentation is 4 steps. Indentation using only spaces is **strongly recommended**. + +### Configuring Emacs + +If you use Emacs, use the Erlang mode, and add the following lines to `.emacs`: + +    (setq-default indent-tabs-mode nil) +    (setq c-basic-offset 4) + +If you want to change the setting only for the Erlang mode, you can use a hook like this: + +``` +(add-hook 'erlang-mode-hook 'my-erlang-hook) + +(defun my-erlang-hook () +  (setq indent-tabs-mode nil)) +``` diff --git a/erts/doc/src/erl.xml b/erts/doc/src/erl.xml index f2a55f6298..8da832ac37 100644 --- a/erts/doc/src/erl.xml +++ b/erts/doc/src/erl.xml @@ -1595,6 +1595,25 @@    </section>    <section> +      <marker id="signals"></marker> +      <title>Signals</title> +      <p>On Unix systems, the Erlang runtime will interpret two types of signals.</p> +      <taglist> +          <tag><c>SIGUSR1</c></tag> +          <item> +              <p>A <c>SIGUSR1</c> signal forces a crash dump.</p> +          </item> +          <tag><c>SIGTERM</c></tag> +          <item> +              <p>A <c>SIGTERM</c> will produce a <c>stop</c> message to the <c>init</c> process. +                  This is equivalent to a <c>init:stop/0</c> call.</p> +              <p>Introduced in ERTS 8.3 (Erlang/OTP 19.3)</p> +          </item> +      </taglist> +      <p>The signal <c>SIGUSR2</c> is reserved for internal usage. No other signals are handled.</p> +  </section> + +  <section>      <marker id="configuration"></marker>      <title>Configuration</title>      <p>The standard Erlang/OTP system can be reconfigured to change the default diff --git a/erts/doc/src/erlang.xml b/erts/doc/src/erlang.xml index 9646953518..112682d713 100644 --- a/erts/doc/src/erlang.xml +++ b/erts/doc/src/erlang.xml @@ -4899,7 +4899,9 @@ RealSystem = system + MissedSystem</code>              <p>Returns the current call stack back-trace (<em>stacktrace</em>)                of the process. The stack has the same format as returned by                <seealso marker="#get_stacktrace/0"> -              <c>erlang:get_stacktrace/0</c></seealso>.</p> +              <c>erlang:get_stacktrace/0</c></seealso>. The depth of the +              stacktrace is truncated according to the <c>backtrace_depth</c> +              system flag setting.</p>            </item>            <tag><c>{dictionary, <anno>Dictionary</anno>}</c></tag>            <item> @@ -6611,7 +6613,9 @@ ok        <fsummary>Set system flag <c>backtrace_depth</c>.</fsummary>        <desc>          <p>Sets the maximum depth of call stack back-traces in the -          exit reason element of <c>'EXIT'</c> tuples.</p> +          exit reason element of <c>'EXIT'</c> tuples. The flag +          also limits the stacktrace depth returned by <c>process_info</c> +          item <c>current_stacktrace.</c></p>          <p>Returns the old value of the flag.</p>        </desc>      </func> diff --git a/erts/doc/src/notes.xml b/erts/doc/src/notes.xml index da6190b685..11777f0014 100644 --- a/erts/doc/src/notes.xml +++ b/erts/doc/src/notes.xml @@ -145,13 +145,6 @@            <p>  	    Own Id: OTP-14051</p>          </item> -        <item> -          <p> -	    Fixed a number of bugs that caused faulty stack-traces to -	    be created on exception when a process was traced.</p> -          <p> -	    Own Id: OTP-14055</p> -        </item>        </list>      </section> diff --git a/erts/emulator/beam/beam_emu.c b/erts/emulator/beam/beam_emu.c index 59a9ea1417..66bccedd94 100644 --- a/erts/emulator/beam/beam_emu.c +++ b/erts/emulator/beam/beam_emu.c @@ -1047,9 +1047,11 @@ static BeamInstr* handle_error(Process* c_p, BeamInstr* pc,  			       Eterm* reg, BifFunction bf) NOINLINE;  static BeamInstr* call_error_handler(Process* p, BeamInstr* ip,  				     Eterm* reg, Eterm func) NOINLINE; -static BeamInstr* fixed_apply(Process* p, Eterm* reg, Uint arity) NOINLINE; +static BeamInstr* fixed_apply(Process* p, Eterm* reg, Uint arity, +			      BeamInstr *I, Uint offs) NOINLINE;  static BeamInstr* apply(Process* p, Eterm module, Eterm function, -			Eterm args, Eterm* reg) NOINLINE; +			Eterm args, Eterm* reg, +			BeamInstr *I, Uint offs) NOINLINE;  static BeamInstr* call_fun(Process* p, int arity,  			   Eterm* reg, Eterm args) NOINLINE;  static BeamInstr* apply_fun(Process* p, Eterm fun, @@ -3194,7 +3196,7 @@ do {						\   OpCase(i_apply): {       BeamInstr *next;       HEAVY_SWAPOUT; -     next = apply(c_p, r(0), x(1), x(2), reg); +     next = apply(c_p, r(0), x(1), x(2), reg, NULL, 0);       HEAVY_SWAPIN;       if (next != NULL) {  	 SET_CP(c_p, I+1); @@ -3208,7 +3210,7 @@ do {						\   OpCase(i_apply_last_P): {       BeamInstr *next;       HEAVY_SWAPOUT; -     next = apply(c_p, r(0), x(1), x(2), reg); +     next = apply(c_p, r(0), x(1), x(2), reg, I, Arg(0));       HEAVY_SWAPIN;       if (next != NULL) {  	 SET_CP(c_p, (BeamInstr *) E[0]); @@ -3223,7 +3225,7 @@ do {						\   OpCase(i_apply_only): {       BeamInstr *next;       HEAVY_SWAPOUT; -     next = apply(c_p, r(0), x(1), x(2), reg); +     next = apply(c_p, r(0), x(1), x(2), reg, I, 0);       HEAVY_SWAPIN;       if (next != NULL) {  	 SET_I(next); @@ -3237,7 +3239,7 @@ do {						\       BeamInstr *next;       HEAVY_SWAPOUT; -     next = fixed_apply(c_p, reg, Arg(0)); +     next = fixed_apply(c_p, reg, Arg(0), NULL, 0);       HEAVY_SWAPIN;       if (next != NULL) {  	 SET_CP(c_p, I+2); @@ -3252,7 +3254,7 @@ do {						\       BeamInstr *next;       HEAVY_SWAPOUT; -     next = fixed_apply(c_p, reg, Arg(0)); +     next = fixed_apply(c_p, reg, Arg(0), I, Arg(1));       HEAVY_SWAPIN;       if (next != NULL) {  	 SET_CP(c_p, (BeamInstr *) E[0]); @@ -5844,12 +5846,13 @@ save_stacktrace(Process* c_p, BeamInstr* pc, Eterm* reg, BifFunction bf,      s->depth = 0;      /* -     * If the failure was in a BIF other than 'error', 'exit' or -     * 'throw', find the bif-table index and save the argument -     * registers by consing up an arglist. +     * If the failure was in a BIF other than 'error/1', 'error/2', +     * 'exit/1' or 'throw/1', find the bif-table index and save the +     * argument registers by consing up an arglist.       */ -    if (bf != NULL && bf != error_1 && bf != error_2 && -	bf != exit_1 && bf != throw_1) { +    if (bf != NULL && bf != error_1 && bf != error_2 && bf != exit_1 +	&& bf != throw_1 && bf != wrap_error_1 && bf != wrap_error_2 +	&& bf != wrap_exit_1 && bf != wrap_throw_1) {          int i;  	int a = 0;  	for (i = 0; i < BIF_SIZE; i++) { @@ -5945,12 +5948,30 @@ erts_save_stacktrace(Process* p, struct StackTrace* s, int depth)  	    p->cp) {  	    /* Cannot follow cp here - code may be unloaded */  	    BeamInstr *cpp = p->cp; +	    int trace_cp;  	    if (cpp == beam_exception_trace || cpp == beam_return_trace) {  		/* Skip return_trace parameters */  		ptr += 2; +		trace_cp = 1;  	    } else if (cpp == beam_return_to_trace) {  		/* Skip return_to_trace parameters */  		ptr += 1; +		trace_cp = 1; +	    } +	    else { +		trace_cp = 0; +	    } +	    if (trace_cp && s->pc == cpp) { +		/* +		 * If process 'cp' points to a return/exception trace +		 * instruction and 'cp' has been saved as 'pc' in +		 * stacktrace, we need to update 'pc' in stacktrace +		 * with the actual 'cp' located on the top of the +		 * stack; otherwise, we will lose the top stackframe +		 * when building the stack trace. +		 */ +		ASSERT(is_CP(p->stop[0])); +		s->pc = cp_val(p->stop[0]);  	    }  	}  	while (ptr < STACK_START(p) && depth > 0) { @@ -6070,12 +6091,15 @@ build_stacktrace(Process* c_p, Eterm exc) {  	erts_set_current_function(&fi, s->current);      } +    depth = s->depth;      /* -     * If fi.current is still NULL, default to the initial function +     * If fi.current is still NULL, and we have no +     * stack at all, default to the initial function       * (e.g. spawn_link(erlang, abs, [1])).       */      if (fi.current == NULL) { -	erts_set_current_function(&fi, c_p->u.initial); +	if (depth <= 0) +	    erts_set_current_function(&fi, c_p->u.initial);  	args = am_true; /* Just in case */      } else {  	args = get_args_from_exc(exc); @@ -6085,10 +6109,9 @@ build_stacktrace(Process* c_p, Eterm exc) {       * Look up all saved continuation pointers and calculate       * needed heap space.       */ -    depth = s->depth;      stk = stkp = (FunctionInfo *) erts_alloc(ERTS_ALC_T_TMP,  				      depth*sizeof(FunctionInfo)); -    heap_size = fi.needed + 2; +    heap_size = fi.current ? fi.needed + 2 : 0;      for (i = 0; i < depth; i++) {  	erts_lookup_function_info(stkp, s->trace[i], 1);  	if (stkp->current) { @@ -6107,8 +6130,10 @@ build_stacktrace(Process* c_p, Eterm exc) {  	res = CONS(hp, mfa, res);  	hp += 2;      } -    hp = erts_build_mfa_item(&fi, hp, args, &mfa); -    res = CONS(hp, mfa, res); +    if (fi.current) { +	hp = erts_build_mfa_item(&fi, hp, args, &mfa); +	res = CONS(hp, mfa, res); +    }      erts_free(ERTS_ALC_T_TMP, (void *) stk);      return res; @@ -6205,8 +6230,107 @@ apply_setup_error_handler(Process* p, Eterm module, Eterm function, Uint arity,      return ep;  } +static ERTS_INLINE void +apply_bif_error_adjustment(Process *p, Export *ep, +			   Eterm *reg, Uint arity, +			   BeamInstr *I, Uint stack_offset) +{ +    /* +     * I is only set when the apply is a tail call, i.e., +     * from the instructions i_apply_only, i_apply_last_P, +     * and apply_last_IP. +     */ +    if (I +	&& ep->code[3] == (BeamInstr) em_apply_bif +	&& (ep == bif_export[BIF_error_1] +	    || ep == bif_export[BIF_error_2] +	    || ep == bif_export[BIF_exit_1] +	    || ep == bif_export[BIF_throw_1])) { +	/* +	 * We are about to tail apply one of the BIFs +	 * erlang:error/1, erlang:error/2, erlang:exit/1, +	 * or erlang:throw/1. Error handling of these BIFs is +	 * special! +	 * +	 * We need 'p->cp' to point into the calling +	 * function when handling the error after the BIF has +	 * been applied. This in order to get the topmost +	 * stackframe correct. Without the following adjustment, +	 * 'p->cp' will point into the function that called +	 * current function when handling the error. We add a +	 * dummy stackframe in order to achive this. +	 * +	 * Note that these BIFs unconditionally will cause +	 * an exception to be raised. That is, our modifications +	 * of 'p->cp' as well as the stack will be corrected by +	 * the error handling code. +	 * +	 * If we find an exception/return-to trace continuation +	 * pointer as the topmost continuation pointer, we do not +	 * need to do anything since the information already will +	 * be available for generation of the stacktrace. +	 */ +	int apply_only = stack_offset == 0; +	BeamInstr *cpp; + +	if (apply_only) { +	    ASSERT(p->cp != NULL); +	    cpp = p->cp; +	} +	else { +	    ASSERT(is_CP(p->stop[0])); +	    cpp = cp_val(p->stop[0]); +	} + +	if (cpp != beam_exception_trace +	    && cpp != beam_return_trace +	    && cpp != beam_return_to_trace) { +	    Uint need = stack_offset /* bytes */ / sizeof(Eterm); +	    if (need == 0) +		need = 1; /* i_apply_only */ +	    if (p->stop - p->htop < need) +		erts_garbage_collect(p, (int) need, reg, arity+1); +	    p->stop -= need; + +	    if (apply_only) { +		/* +		 * Called from the i_apply_only instruction. +		 * +		 * 'p->cp' contains continuation pointer pointing +		 * into the function that called current function. +		 * We push that continuation pointer onto the stack, +		 * and set 'p->cp' to point into current function. +		 */ + +		p->stop[0] = make_cp(p->cp); +		p->cp = I; +	    } +	    else { +		/* +		 * Called from an i_apply_last_p, or apply_last_IP, +		 * instruction. +		 * +		 * Calling instruction will after we return read +		 * a continuation pointer from the stack and write +		 * it to 'p->cp', and then remove the topmost +		 * stackframe of size 'stack_offset'. +		 * +		 * We have sized the dummy-stackframe so that it +		 * will be removed by the instruction we currently +		 * are executing, and leave the stackframe that +		 * normally would have been removed intact. +		 * +		 */ +		p->stop[0] = make_cp(I); +	    } +	} +    } +} +  static BeamInstr* -apply(Process* p, Eterm module, Eterm function, Eterm args, Eterm* reg) +apply( +Process* p, Eterm module, Eterm function, Eterm args, Eterm* reg, +BeamInstr *I, Uint stack_offset)  {      int arity;      Export* ep; @@ -6231,21 +6355,54 @@ apply(Process* p, Eterm module, Eterm function, Eterm args, Eterm* reg)  	return 0;      } -    /* The module argument may be either an atom or an abstract module -     * (currently implemented using tuples, but this might change). -     */ -    this = THE_NON_VALUE; -    if (is_not_atom(module)) { -	Eterm* tp; +    while (1) { +	Eterm m, f, a; +	/* The module argument may be either an atom or an abstract module +	 * (currently implemented using tuples, but this might change). +	 */ +	this = THE_NON_VALUE; +	if (is_not_atom(module)) { +	    Eterm* tp; + +	    if (is_not_tuple(module)) goto error; +	    tp = tuple_val(module); +	    if (arityval(tp[0]) < 1) goto error; +	    this = module; +	    module = tp[1]; +	    if (is_not_atom(module)) goto error; +	} -        if (is_not_tuple(module)) goto error; -        tp = tuple_val(module); -        if (arityval(tp[0]) < 1) goto error; -        this = module; -        module = tp[1]; -        if (is_not_atom(module)) goto error; +	if (module != am_erlang || function != am_apply) +	    break; + +	/* Adjust for multiple apply of apply/3... */ + +	a = args; +	if (is_list(a)) { +	    Eterm *consp = list_val(a); +	    m = CAR(consp); +	    a = CDR(consp); +	    if (is_list(a)) { +		consp = list_val(a); +		f = CAR(consp); +		a = CDR(consp); +		if (is_list(a)) { +		    consp = list_val(a); +		    a = CAR(consp); +		    if (is_nil(CDR(consp))) { +			/* erlang:apply/3 */ +			module = m; +			function = f; +			args = a; +			if (is_not_atom(f)) +			    goto error; +			continue; +		    } +		} +	    } +	} +	break; /* != erlang:apply/3 */      } -          /*       * Walk down the 3rd parameter of apply (the argument list) and copy       * the parameters to the x registers (reg[]). If the module argument @@ -6283,12 +6440,14 @@ apply(Process* p, Eterm module, Eterm function, Eterm args, Eterm* reg)      } else if (ERTS_PROC_GET_SAVED_CALLS_BUF(p)) {  	save_calls(p, ep);      } +    apply_bif_error_adjustment(p, ep, reg, arity, I, stack_offset);      DTRACE_GLOBAL_CALL_FROM_EXPORT(p, ep);      return ep->addressv[erts_active_code_ix()];  }  static BeamInstr* -fixed_apply(Process* p, Eterm* reg, Uint arity) +fixed_apply(Process* p, Eterm* reg, Uint arity, +	    BeamInstr *I, Uint stack_offset)  {      Export* ep;      Eterm module; @@ -6318,6 +6477,10 @@ fixed_apply(Process* p, Eterm* reg, Uint arity)          if (is_not_atom(module)) goto error;          ++arity;      } + +    /* Handle apply of apply/3... */ +    if (module == am_erlang && function == am_apply && arity == 3) +	return apply(p, reg[0], reg[1], reg[2], reg, I, stack_offset);      /*       * Get the index into the export table, or failing that the export @@ -6332,6 +6495,7 @@ fixed_apply(Process* p, Eterm* reg, Uint arity)      } else if (ERTS_PROC_GET_SAVED_CALLS_BUF(p)) {  	save_calls(p, ep);      } +    apply_bif_error_adjustment(p, ep, reg, arity, I, stack_offset);      DTRACE_GLOBAL_CALL_FROM_EXPORT(p, ep);      return ep->addressv[erts_active_code_ix()];  } diff --git a/erts/emulator/beam/erl_bif_info.c b/erts/emulator/beam/erl_bif_info.c index 735aabbee3..88a052cad7 100644 --- a/erts/emulator/beam/erl_bif_info.c +++ b/erts/emulator/beam/erl_bif_info.c @@ -1672,11 +1672,11 @@ current_stacktrace(Process* p, Process* rp, Eterm** hpp)      Eterm mfa;      Eterm res = NIL; -    depth = 8; +    depth = erts_backtrace_depth;      sz = offsetof(struct StackTrace, trace) + sizeof(BeamInstr *)*depth;      s = (struct StackTrace *) erts_alloc(ERTS_ALC_T_TMP, sz);      s->depth = 0; -    if (rp->i) { +    if (depth > 0 && rp->i) {  	s->trace[s->depth++] = rp->i;  	depth--;      } diff --git a/erts/emulator/beam/erl_process.c b/erts/emulator/beam/erl_process.c index fba81db1cd..cd0a2b2a21 100644 --- a/erts/emulator/beam/erl_process.c +++ b/erts/emulator/beam/erl_process.c @@ -7089,12 +7089,18 @@ typedef struct {  } ErtsSchdlrSspndResume;  static void -schdlr_sspnd_resume_proc(Eterm pid) +schdlr_sspnd_resume_proc(ErtsSchedType sched_type, Eterm pid)  { -    Process *p = erts_pid2proc(NULL, 0, pid, ERTS_PROC_LOCK_STATUS); +    Process *p; +    p = erts_pid2proc_opt(NULL, 0, pid, ERTS_PROC_LOCK_STATUS, +                          (sched_type != ERTS_SCHED_NORMAL +                           ? ERTS_P2P_FLG_INC_REFC +                           : 0));      if (p) {  	resume_process(p, ERTS_PROC_LOCK_STATUS);  	erts_smp_proc_unlock(p, ERTS_PROC_LOCK_STATUS); +        if (sched_type != ERTS_SCHED_NORMAL) +            erts_proc_dec_refc(p);      }  } @@ -7103,17 +7109,20 @@ schdlr_sspnd_resume_procs(ErtsSchedType sched_type,  			  ErtsSchdlrSspndResume *resume)  {      if (is_internal_pid(resume->onln.chngr)) { -	schdlr_sspnd_resume_proc(resume->onln.chngr); +	schdlr_sspnd_resume_proc(sched_type, +                                 resume->onln.chngr);  	resume->onln.chngr = NIL;      }      if (is_internal_pid(resume->onln.nxt)) { -	schdlr_sspnd_resume_proc(resume->onln.nxt); +	schdlr_sspnd_resume_proc(sched_type, +                                 resume->onln.nxt);  	resume->onln.nxt = NIL;      }      while (resume->msb.chngrs) {  	ErtsProcList *plp = resume->msb.chngrs;  	resume->msb.chngrs = plp->next; -	schdlr_sspnd_resume_proc(plp->pid); +	schdlr_sspnd_resume_proc(sched_type, +                                 plp->pid);  	proclist_destroy(plp);      }  } @@ -7224,15 +7233,18 @@ suspend_scheduler(ErtsSchedulerData *esdp)  			(void) erts_proclist_fetch(&msb[i]->chngq, &end_plp);  			/* resume processes that initiated the multi scheduling block... */  			plp = msb[i]->chngq; -			while (plp) { -			    erts_proclist_store_last(&msb[i]->blckrs, -						     proclist_copy(plp)); -			    plp = plp->next; -			} -			if (end_plp) +			if (plp) { +                            ASSERT(end_plp); +                            ASSERT(msb[i]->ongoing); +                            do { +                                erts_proclist_store_last(&msb[i]->blckrs, +                                                         proclist_copy(plp)); +                                plp = plp->next; +                            } while (plp);  			    end_plp->next = resume.msb.chngrs; -			resume.msb.chngrs = msb[i]->chngq; -			msb[i]->chngq = NULL; +                            resume.msb.chngrs = msb[i]->chngq; +                            msb[i]->chngq = NULL; +                        }  		    }  		}  	    } @@ -7431,12 +7443,23 @@ suspend_scheduler(ErtsSchedulerData *esdp)  	schdlr_sspnd_inc_nscheds(&schdlr_sspnd.active, sched_type);  	changing = erts_smp_atomic32_read_nob(&schdlr_sspnd.changing); -	if ((changing & ERTS_SCHDLR_SSPND_CHNG_MSB) -	    && schdlr_sspnd.online == schdlr_sspnd.active) { -	    erts_smp_atomic32_read_band_nob(&schdlr_sspnd.changing, -					    ~ERTS_SCHDLR_SSPND_CHNG_MSB); -	} - +        if (changing) { +            if ((changing & ERTS_SCHDLR_SSPND_CHNG_MSB) +                && !schdlr_sspnd.msb.ongoing +                && schdlr_sspnd.online == schdlr_sspnd.active) { +                erts_smp_atomic32_read_band_nob(&schdlr_sspnd.changing, +                                                ~ERTS_SCHDLR_SSPND_CHNG_MSB); +            } +            if ((changing & ERTS_SCHDLR_SSPND_CHNG_NMSB) +                && !schdlr_sspnd.nmsb.ongoing +                && (schdlr_sspnd_get_nscheds(&schdlr_sspnd.online, +                                             ERTS_SCHED_NORMAL) +                    == schdlr_sspnd_get_nscheds(&schdlr_sspnd.active, +                                                ERTS_SCHED_NORMAL))) { +                erts_smp_atomic32_read_band_nob(&schdlr_sspnd.changing, +                                                ~ERTS_SCHDLR_SSPND_CHNG_NMSB); +            } +        }  	ASSERT(no <= schdlr_sspnd_get_nscheds(&schdlr_sspnd.online, sched_type));  	ASSERT((sched_type == ERTS_SCHED_NORMAL  		? !(schdlr_sspnd.msb.ongoing|schdlr_sspnd.nmsb.ongoing) @@ -7569,7 +7592,7 @@ abort_sched_onln_chng_waitq(Process *p)      erts_smp_mtx_unlock(&schdlr_sspnd.mtx);      if (is_internal_pid(resume)) -	schdlr_sspnd_resume_proc(resume); +	schdlr_sspnd_resume_proc(ERTS_SCHED_NORMAL, resume);  }  ErtsSchedSuspendResult @@ -7967,21 +7990,20 @@ erts_block_multi_scheduling(Process *p, ErtsProcLocks plocks, int on, int normal      }      else {  /* ------ UNBLOCK ------ */  	if (p->flags & have_blckd_flg) { -	    ErtsProcList *plps[2]; +	    ErtsProcList **plpps[3] = {0};  	    ErtsProcList *plp; -	    int limit = 0; -	    plps[limit++] = erts_proclist_peek_first(msbp->blckrs); -	    if (all) -		plps[limit++] = erts_proclist_peek_first(msbp->chngq); +            plpps[0] = &msbp->blckrs; +            if (all) +                plpps[1] = &msbp->chngq; -	    for (ix = 0; ix < limit; ix++) { -		plp = plps[ix]; +	    for (ix = 0; plpps[ix]; ix++) { +                plp = erts_proclist_peek_first(*plpps[ix]);  		while (plp) {  		    ErtsProcList *tmp_plp = plp; -		    plp = erts_proclist_peek_next(msbp->blckrs, plp); +		    plp = erts_proclist_peek_next(*plpps[ix], plp);  		    if (erts_proclist_same(tmp_plp, p)) { -			erts_proclist_remove(&msbp->blckrs, tmp_plp); +			erts_proclist_remove(plpps[ix], tmp_plp);  			proclist_destroy(tmp_plp);  			if (!all)  			    break; diff --git a/erts/emulator/beam/erl_process.h b/erts/emulator/beam/erl_process.h index 9f7084c127..68fbb10602 100644 --- a/erts/emulator/beam/erl_process.h +++ b/erts/emulator/beam/erl_process.h @@ -1684,7 +1684,7 @@ ERTS_GLB_INLINE ErtsProcList *erts_proclist_fetch_first(ErtsProcList **list)  	return NULL;      else {  	ErtsProcList *res = *list; -	if (res == *list) +	if (res->next == *list)  	    *list = NULL;  	else  	    *list = res->next; diff --git a/erts/emulator/sys/unix/sys.c b/erts/emulator/sys/unix/sys.c index 4b2edace0a..2fc802a2c6 100644 --- a/erts/emulator/sys/unix/sys.c +++ b/erts/emulator/sys/unix/sys.c @@ -407,6 +407,7 @@ erts_sys_pre_init(void)  #ifdef ERTS_THR_HAVE_SIG_FUNCS      sigemptyset(&thr_create_sigmask);      sigaddset(&thr_create_sigmask, SIGINT);   /* block interrupt */ +    sigaddset(&thr_create_sigmask, SIGTERM);  /* block terminate signal */      sigaddset(&thr_create_sigmask, SIGUSR1);  /* block user defined signal */  #endif @@ -655,6 +656,40 @@ static RETSIGTYPE request_break(int signum)  #endif  } +static void stop_requested(void) { +    Process* p = NULL; +    Eterm msg, *hp; +    ErtsProcLocks locks = 0; +    ErlOffHeap *ohp; +    Eterm id = erts_whereis_name_to_id(NULL, am_init); + +    if ((p = (erts_pid2proc_opt(NULL, 0, id, 0, ERTS_P2P_FLG_INC_REFC))) != NULL) { +        ErtsMessage *msgp = erts_alloc_message_heap(p, &locks, 3, &hp, &ohp); + +        /* init ! {stop,stop} */ +        msg = TUPLE2(hp, am_stop, am_stop); +        erts_queue_message(p, locks, msgp, msg, am_system); + +        if (locks) +            erts_smp_proc_unlock(p, locks); +        erts_proc_dec_refc(p); +    } +} + +#if (defined(SIG_SIGSET) || defined(SIG_SIGNAL)) +static RETSIGTYPE request_stop(void) +#else +static RETSIGTYPE request_stop(int signum) +#endif +{ +#ifdef ERTS_SMP +    smp_sig_notify('S'); +#else +    stop_requested(); +#endif +} + +  static ERTS_INLINE void  sigusr1_exit(void)  { @@ -751,6 +786,7 @@ static RETSIGTYPE do_quit(int signum)  /* Disable break */  void erts_set_ignore_break(void) {      sys_signal(SIGINT,  SIG_IGN); +    sys_signal(SIGTERM, SIG_IGN);      sys_signal(SIGQUIT, SIG_IGN);      sys_signal(SIGTSTP, SIG_IGN);  } @@ -776,6 +812,7 @@ void erts_replace_intr(void) {  void init_break_handler(void)  {     sys_signal(SIGINT, request_break); +   sys_signal(SIGTERM, request_stop);  #ifndef ETHR_UNUSABLE_SIGUSRX     sys_signal(SIGUSR1, user_signal1);  #endif /* #ifndef ETHR_UNUSABLE_SIGUSRX */ @@ -1289,6 +1326,9 @@ signal_dispatcher_thread_func(void *unused)  	    switch (buf[i]) {  	    case 0: /* Emulator initialized */                  break; +	    case 'S': /* SIGTERM */ +		stop_requested(); +		break;  	    case 'I': /* SIGINT */  		break_requested();  		break; diff --git a/erts/emulator/test/bif_SUITE.erl b/erts/emulator/test/bif_SUITE.erl index b8d89126fe..f70fb0e501 100644 --- a/erts/emulator/test/bif_SUITE.erl +++ b/erts/emulator/test/bif_SUITE.erl @@ -32,7 +32,8 @@  	 binary_to_atom/1,binary_to_existing_atom/1,  	 atom_to_binary/1,min_max/1, erlang_halt/1,           erl_crash_dump_bytes/1, -	 is_builtin/1]). +	 is_builtin/1, error_stacktrace/1, +	 error_stacktrace_during_call_trace/1]).  suite() ->      [{ct_hooks,[ts_install_cth]}, @@ -44,8 +45,8 @@ all() ->       t_list_to_existing_atom, os_env, otp_7526,       display,       atom_to_binary, binary_to_atom, binary_to_existing_atom, -     erl_crash_dump_bytes, -     min_max, erlang_halt, is_builtin]. +     erl_crash_dump_bytes, min_max, erlang_halt, is_builtin, +     error_stacktrace, error_stacktrace_during_call_trace].  %% Uses erlang:display to test that erts_printf does not do deep recursion  display(Config) when is_list(Config) -> @@ -727,6 +728,172 @@ is_builtin(_Config) ->      ok. +error_stacktrace(Config) when is_list(Config) -> +    error_stacktrace_test(). + +error_stacktrace_during_call_trace(Config) when is_list(Config) -> +    Tracer = spawn_link(fun () -> +				receive after infinity -> ok end +			end), +    Mprog = [{'_',[],[{exception_trace}]}], +    erlang:trace_pattern({?MODULE,'_','_'}, Mprog, [local]), +    1 = erlang:trace_pattern({erlang,error,2}, Mprog, [local]), +    1 = erlang:trace_pattern({erlang,error,1}, Mprog, [local]), +    erlang:trace(all, true, [call,return_to,timestamp,{tracer, Tracer}]), +    try +	error_stacktrace_test() +    after +	erlang:trace(all, false, [call,return_to,timestamp,{tracer, Tracer}]), +	erlang:trace_pattern({erlang,error,2}, false, [local]), +	erlang:trace_pattern({erlang,error,1}, false, [local]), +	erlang:trace_pattern({?MODULE,'_','_'}, false, [local]), +	unlink(Tracer), +	exit(Tracer, kill), +	Mon = erlang:monitor(process, Tracer), +	receive +	    {'DOWN', Mon, process, Tracer, _} -> ok +	end +    end, +    ok. +     + +error_stacktrace_test() -> +    Types = [apply_const_last, apply_const, apply_last, +	     apply, double_apply_const_last, double_apply_const, +	     double_apply_last, double_apply, multi_apply_const_last, +	     multi_apply_const, multi_apply_last, multi_apply, +	     call_const_last, call_last, call_const, call], +    lists:foreach(fun (Type) -> +			  {Pid, Mon} = spawn_monitor( +					 fun () -> +						 stk([a,b,c,d], Type, error_2) +					 end), +			  receive +			      {'DOWN', Mon, process, Pid, Reason} -> +				  {oops, Stack} = Reason, +%%				  io:format("Type: ~p Stack: ~p~n", +%%					    [Type, Stack]), +				  [{?MODULE, do_error_2, [Type], _}, +				   {?MODULE, stk, 3, _}, +				   {?MODULE, stk, 3, _}] = Stack +			  end +		  end, +		  Types), +    lists:foreach(fun (Type) -> +			  {Pid, Mon} = spawn_monitor( +					 fun () -> +						 stk([a,b,c,d], Type, error_1) +					 end), +			  receive +			      {'DOWN', Mon, process, Pid, Reason} -> +				  {oops, Stack} = Reason, +%%				  io:format("Type: ~p Stack: ~p~n", +%%					    [Type, Stack]), +				  [{?MODULE, do_error_1, 1, _}, +				   {?MODULE, stk, 3, _}, +				   {?MODULE, stk, 3, _}] = Stack +			  end +		  end, +		  Types), +    ok. + +stk([], Type, Func) -> +    tail(Type, Func, jump), +    ok; +stk([_|L], Type, Func) -> +    stk(L, Type, Func), +    ok. + +tail(Type, Func, jump) -> +    tail(Type, Func, do); +tail(Type, error_1, do) -> +    do_error_1(Type); +tail(Type, error_2, do) -> +    do_error_2(Type). + +do_error_2(apply_const_last) -> +    erlang:apply(erlang, error, [oops, [apply_const_last]]); +do_error_2(apply_const) -> +    erlang:apply(erlang, error, [oops, [apply_const]]), +    ok; +do_error_2(apply_last) -> +    erlang:apply(id(erlang), id(error), id([oops, [apply_last]])); +do_error_2(apply) -> +    erlang:apply(id(erlang), id(error), id([oops, [apply]])), +    ok; +do_error_2(double_apply_const_last) -> +    erlang:apply(erlang, apply, [erlang, error, [oops, [double_apply_const_last]]]); +do_error_2(double_apply_const) -> +    erlang:apply(erlang, apply, [erlang, error, [oops, [double_apply_const]]]), +    ok; +do_error_2(double_apply_last) -> +    erlang:apply(id(erlang), id(apply), [id(erlang), id(error), id([oops, [double_apply_last]])]); +do_error_2(double_apply) -> +    erlang:apply(id(erlang), id(apply), [id(erlang), id(error), id([oops, [double_apply]])]), +    ok; +do_error_2(multi_apply_const_last) -> +    erlang:apply(erlang, apply, [erlang, apply, [erlang, apply, [erlang, error, [oops, [multi_apply_const_last]]]]]); +do_error_2(multi_apply_const) -> +    erlang:apply(erlang, apply, [erlang, apply, [erlang, apply, [erlang, error, [oops, [multi_apply_const]]]]]), +    ok; +do_error_2(multi_apply_last) -> +    erlang:apply(id(erlang), id(apply), [id(erlang), id(apply), [id(erlang), id(apply), [id(erlang), id(error), id([oops, [multi_apply_last]])]]]); +do_error_2(multi_apply) -> +    erlang:apply(id(erlang), id(apply), [id(erlang), id(apply), [id(erlang), id(apply), [id(erlang), id(error), id([oops, [multi_apply]])]]]), +    ok; +do_error_2(call_const_last) -> +    erlang:error(oops, [call_const_last]); +do_error_2(call_last) -> +    erlang:error(id(oops), id([call_last])); +do_error_2(call_const) -> +    erlang:error(oops, [call_const]), +    ok; +do_error_2(call) -> +    erlang:error(id(oops), id([call])). + + +do_error_1(apply_const_last) -> +    erlang:apply(erlang, error, [oops]); +do_error_1(apply_const) -> +    erlang:apply(erlang, error, [oops]), +    ok; +do_error_1(apply_last) -> +    erlang:apply(id(erlang), id(error), id([oops])); +do_error_1(apply) -> +    erlang:apply(id(erlang), id(error), id([oops])), +    ok; +do_error_1(double_apply_const_last) -> +    erlang:apply(erlang, apply, [erlang, error, [oops]]); +do_error_1(double_apply_const) -> +    erlang:apply(erlang, apply, [erlang, error, [oops]]), +    ok; +do_error_1(double_apply_last) -> +    erlang:apply(id(erlang), id(apply), [id(erlang), id(error), id([oops])]); +do_error_1(double_apply) -> +    erlang:apply(id(erlang), id(apply), [id(erlang), id(error), id([oops])]), +    ok; +do_error_1(multi_apply_const_last) -> +    erlang:apply(erlang, apply, [erlang, apply, [erlang, apply, [erlang, error, [oops]]]]); +do_error_1(multi_apply_const) -> +    erlang:apply(erlang, apply, [erlang, apply, [erlang, apply, [erlang, error, [oops]]]]), +    ok; +do_error_1(multi_apply_last) -> +    erlang:apply(id(erlang), id(apply), [id(erlang), id(apply), [id(erlang), id(apply), [id(erlang), id(error), id([oops])]]]); +do_error_1(multi_apply) -> +    erlang:apply(id(erlang), id(apply), [id(erlang), id(apply), [id(erlang), id(apply), [id(erlang), id(error), id([oops])]]]), +    ok; +do_error_1(call_const_last) -> +    erlang:error(oops); +do_error_1(call_last) -> +    erlang:error(id(oops)); +do_error_1(call_const) -> +    erlang:error(oops), +    ok; +do_error_1(call) -> +    erlang:error(id(oops)). + + +  %% Helpers diff --git a/erts/emulator/test/call_trace_SUITE.erl b/erts/emulator/test/call_trace_SUITE.erl index 6ba6301c7c..f7ff04430a 100644 --- a/erts/emulator/test/call_trace_SUITE.erl +++ b/erts/emulator/test/call_trace_SUITE.erl @@ -1090,8 +1090,7 @@ exception_nocatch() ->                         {trace,t2,exception_from,{erlang,throw,1},                          {error,{nocatch,Q2}}}],                        exception_from, {error,{nocatch,Q2}}), -    expect({trace,T2,exit,{{nocatch,Q2},[{erlang,throw,[Q2],[]}, -                                         {?MODULE,deep_4,1, +    expect({trace,T2,exit,{{nocatch,Q2},[{?MODULE,deep_4,1,                                            Deep4LocThrow}]}}),      Q3 = {dump,[dump,{dump}]},      T3 =  @@ -1100,8 +1099,7 @@ exception_nocatch() ->                         {trace,t3,exception_from,{erlang,error,1},                          {error,Q3}}],                        exception_from, {error,Q3}), -    expect({trace,T3,exit,{Q3,[{erlang,error,[Q3],[]}, -                               {?MODULE,deep_4,1,Deep4LocError}]}}), +    expect({trace,T3,exit,{Q3,[{?MODULE,deep_4,1,Deep4LocError}]}}),      T4 =       exception_nocatch(?LINE, '=', [17,4711], 5, [],                         exception_from, {error,{badmatch,4711}}), diff --git a/erts/emulator/test/code_SUITE.erl b/erts/emulator/test/code_SUITE.erl index 34515efa3d..3ee14f2d1c 100644 --- a/erts/emulator/test/code_SUITE.erl +++ b/erts/emulator/test/code_SUITE.erl @@ -66,9 +66,9 @@ versions(Config) when is_list(Config) ->      2 = versions:version(),      %% Kill processes, unload code. -    P1 ! P2 ! done,      _ = monitor(process, P1),      _ = monitor(process, P2), +    P1 ! P2 ! done,      receive          {'DOWN',_,process,P1,normal} -> ok      end, diff --git a/erts/emulator/test/emulator_smoke.spec b/erts/emulator/test/emulator_smoke.spec index 3219aeb823..b2d0de8835 100644 --- a/erts/emulator/test/emulator_smoke.spec +++ b/erts/emulator/test/emulator_smoke.spec @@ -1,3 +1,9 @@ -{suites,"../emulator_test",[smoke_test_SUITE,time_SUITE]}. -{cases,"../emulator_test",crypto_SUITE,[t_md5]}. -{cases,"../emulator_test",float_SUITE,[fpe,cmp_integer]}.
\ No newline at end of file +{define,'Dir',"../emulator_test"}. +{suites,'Dir',[smoke_test_SUITE]}. +{suites,'Dir',[time_SUITE]}. +{skip_cases,'Dir',time_SUITE, +    [univ_to_local,local_to_univ],"Depends on CET timezone"}. +{skip_cases,'Dir',time_SUITE, +    [consistency],"Not reliable in October and March"}. +{cases,'Dir',crypto_SUITE,[t_md5]}. +{cases,'Dir',float_SUITE,[fpe,cmp_integer]}. diff --git a/erts/emulator/test/port_SUITE.erl b/erts/emulator/test/port_SUITE.erl index d4e77d634a..23594aa8c4 100644 --- a/erts/emulator/test/port_SUITE.erl +++ b/erts/emulator/test/port_SUITE.erl @@ -2292,7 +2292,7 @@ maybe_to_list(List) ->      List.  format({Eol,List}) -> -    io_lib:format("tuple<~w,~s>",[Eol, maybe_to_list(List)]); +    io_lib:format("tuple<~w,~w>",[Eol, maybe_to_list(List)]);  format(List) when is_list(List) ->      case list_at_least(50, List) of          true -> diff --git a/erts/emulator/test/process_SUITE.erl b/erts/emulator/test/process_SUITE.erl index 0f999e0efe..2289cbabc7 100644 --- a/erts/emulator/test/process_SUITE.erl +++ b/erts/emulator/test/process_SUITE.erl @@ -437,11 +437,22 @@ t_process_info(Config) when is_list(Config) ->      verify_loc(Line2, Res2),      pi_stacktrace([{?MODULE,t_process_info,1,?LINE}]), +    verify_stacktrace_depth(), +      Gleader = group_leader(),      {group_leader, Gleader} = process_info(self(), group_leader),      {'EXIT',{badarg,_Info}} = (catch process_info('not_a_pid')),      ok. +verify_stacktrace_depth() -> +    CS = current_stacktrace, +    OldDepth = erlang:system_flag(backtrace_depth, 0), +    {CS,[]} = erlang:process_info(self(), CS), +    _ = erlang:system_flag(backtrace_depth, 8), +    {CS,[{?MODULE,verify_stacktrace_depth,0,_},_|_]} = +        erlang:process_info(self(), CS), +    _ = erlang:system_flag(backtrace_depth, OldDepth). +  pi_stacktrace(Expected0) ->      {Line,Res} = {?LINE,erlang:process_info(self(), current_stacktrace)},      {current_stacktrace,Stack} = Res, diff --git a/erts/etc/common/heart.c b/erts/etc/common/heart.c index d67b997d6d..bc353e384e 100644 --- a/erts/etc/common/heart.c +++ b/erts/etc/common/heart.c @@ -48,13 +48,10 @@   *   *  HEART_BEATING   * - *  This program expects a heart beat messages. If it does not receive a  - *  heart beat message from Erlang within heart_beat_timeout seconds, it  - *  reboots the system. The variable heart_beat_timeout is exported (so - *  that it can be set from the shell in VxWorks, as is the variable - *  heart_beat_report_delay). When using Solaris, the system is rebooted - *  by executing the command stored in the environment variable - *  HEART_COMMAND. + *  This program expects a heart beat message. If it does not receive a + *  heart beat message from Erlang within heart_beat_timeout seconds, it + *  reboots the system. The system is rebooted by executing the command + *  stored in the environment variable HEART_COMMAND.   *   *  BLOCKING DESCRIPTORS   * @@ -149,27 +146,17 @@ struct msg {  /*  Maybe interesting to change */  /* Times in seconds */ -#define  HEART_BEAT_BOOT_DELAY       60  /* 1 minute */  #define  SELECT_TIMEOUT               5  /* Every 5 seconds we reset the  					    watchdog timer */  /* heart_beat_timeout is the maximum gap in seconds between two -   consecutive heart beat messages from Erlang, and HEART_BEAT_BOOT_DELAY -   is the the extra delay that wd_keeper allows for, to give heart a -   chance to reboot in the "normal" way before the hardware watchdog -   enters the scene. heart_beat_report_delay is the time allowed for reporting -   before rebooting under VxWorks. */ +   consecutive heart beat messages from Erlang. */  int heart_beat_timeout = 60; -int heart_beat_report_delay = 30; -int heart_beat_boot_delay = HEART_BEAT_BOOT_DELAY;  /* All current platforms have a process identifier that     fits in an unsigned long and where 0 is an impossible or invalid value */  unsigned long heart_beat_kill_pid = 0; -#define VW_WD_TIMEOUT (heart_beat_timeout+heart_beat_report_delay+heart_beat_boot_delay) -#define SOL_WD_TIMEOUT (heart_beat_timeout+heart_beat_boot_delay) -  /* reasons for reboot */  #define  R_TIMEOUT          (1)  #define  R_CLOSED           (2) @@ -297,7 +284,6 @@ free_env_val(char *value)  static void get_arguments(int argc, char** argv) {      int i = 1;      int h; -    int w;      unsigned long p;      while (i < argc) { @@ -313,15 +299,6 @@ static void get_arguments(int argc, char** argv) {  			    i++;  			}  		break; -	    case 'w': -		if (strcmp(argv[i], "-wt") == 0) -		    if (sscanf(argv[i+1],"%i",&w) ==1) -			if ((w > 10) && (w <= 65535)) { -			    heart_beat_boot_delay = w; -			    fprintf(stderr,"heart_beat_boot_delay = %d\n",w); -			    i++; -			} -		break;  	    case 'p':  		if (strcmp(argv[i], "-pid") == 0)  		    if (sscanf(argv[i+1],"%lu",&p) ==1){ @@ -347,7 +324,7 @@ static void get_arguments(int argc, char** argv) {  	}  	i++;      } -    debugf("arguments -ht %d -wt %d -pid %lu\n",h,w,p); +    debugf("arguments -ht %d -pid %lu\n",h,p);  }  int main(int argc, char **argv) { @@ -674,11 +651,6 @@ void win_system(char *command)   */  static void   do_terminate(int erlin_fd, int reason) { -  /* -    When we get here, we have HEART_BEAT_BOOT_DELAY secs to finish -    (plus heart_beat_report_delay if under VxWorks), so we don't need -    to call wd_reset(). -    */    int ret = 0, tmo=0;    char *tmo_env; diff --git a/erts/etc/unix/etp-commands.in b/erts/etc/unix/etp-commands.in index fa68bd26ee..f2babc48d2 100644 --- a/erts/etc/unix/etp-commands.in +++ b/erts/etc/unix/etp-commands.in @@ -1322,7 +1322,11 @@ define etp-stacktrace    set $etp_stacktrace_p = ($arg0)->stop    set $etp_stacktrace_end = ($arg0)->hend    printf "%% Stacktrace (%u): ", $etp_stacktrace_end-$etp_stacktrace_p -  etp ($arg0)->cp +  if ($arg0)->cp == 0x0 +    printf "NULL\n" +  else +    etp ($arg0)->cp +  end    while $etp_stacktrace_p < $etp_stacktrace_end      if ($etp_stacktrace_p[0] & 0x3) == 0x0        # Continuation pointer @@ -1350,7 +1354,11 @@ define etp-stackdump    set $etp_stackdump_p = ($arg0)->stop    set $etp_stackdump_end = ($arg0)->hend    printf "%% Stackdump (%u): ", $etp_stackdump_end-$etp_stackdump_p -  etp ($arg0)->cp +  if ($arg0)->cp == 0x0 +    printf "NULL\n" +  else +    etp ($arg0)->cp +  end    while $etp_stackdump_p < $etp_stackdump_end      etp $etp_stackdump_p[0]      set $etp_stackdump_p++ diff --git a/lib/eldap/test/Makefile b/lib/eldap/test/Makefile index 21a0da926f..81fa8f187a 100644 --- a/lib/eldap/test/Makefile +++ b/lib/eldap/test/Makefile @@ -42,7 +42,7 @@ TARGET_FILES= \  SPEC_FILES = eldap.spec -# COVER_FILE = eldap.cover +COVER_FILE = eldap.cover  # ---------------------------------------------------- diff --git a/lib/eldap/test/eldap.cover b/lib/eldap/test/eldap.cover new file mode 100644 index 0000000000..8c15956e72 --- /dev/null +++ b/lib/eldap/test/eldap.cover @@ -0,0 +1,3 @@ +{incl_app,eldap,details}. + +{excl_mods, eldap, ['ELDAPv3']}. diff --git a/lib/hipe/test/basic_SUITE_data/basic_num_bif.erl b/lib/hipe/test/basic_SUITE_data/basic_num_bif.erl new file mode 100644 index 0000000000..807c4b0d0d --- /dev/null +++ b/lib/hipe/test/basic_SUITE_data/basic_num_bif.erl @@ -0,0 +1,217 @@ +%%% -*- erlang-indent-level: 2 -*- +%%%------------------------------------------------------------------- +%%% File	: basic_num_bif.erl +%%% Description : Taken from the compiler test suite +%%%------------------------------------------------------------------- +-module(basic_num_bif). + +-export([test/0]). + +%% Tests optimization of the BIFs: +%% 	abs/1 +%%	float/1 +%%	float_to_list/1 +%%	integer_to_list/1 +%%	list_to_float/1 +%%	list_to_integer/1 +%%	round/1 +%%	trunc/1 + +test() ->  +  Funs = [fun t_abs/0, fun t_float/0, +	  fun t_float_to_list/0, fun t_integer_to_list/0, +	  fun t_list_to_float_safe/0, fun t_list_to_float_risky/0, +	  fun t_list_to_integer/0, fun t_round/0, fun t_trunc/0], +  lists:foreach(fun (F) -> ok = F() end, Funs). + +t_abs() -> +  %% Floats. +  5.5 = abs(5.5), +  0.0 = abs(0.0), +  100.0 = abs(-100.0), +  %% Integers. +  5 = abs(5), +  0 = abs(0), +  100 = abs(-100), +  %% The largest smallnum. OTP-3190. +  X = (1 bsl 27) - 1, +  X = abs(X), +  X = abs(X-1)+1, +  X = abs(X+1)-1, +  X = abs(-X), +  X = abs(-X-1)-1, +  X = abs(-X+1)+1, +  %% Bignums. +  BigNum = 13984792374983749, +  BigNum = abs(BigNum), +  BigNum = abs(-BigNum), +  ok. + +t_float() -> +  0.0 = float(0), +  2.5 = float(2.5), +  0.0 = float(0.0), +  -100.55 = float(-100.55), +  42.0 = float(42), +  -100.0 = float(-100), +  %% Bignums. +  4294967305.0 = float(4294967305), +  -4294967305.0 = float(-4294967305), +  %% Extremely big bignums. +  Big = list_to_integer(lists:duplicate(2000, $1)), +  {'EXIT', {badarg, _}} = (catch float(Big)), +  ok. + +%% Tests float_to_list/1. + +t_float_to_list() -> +  test_ftl("0.0e+0", 0.0), +  test_ftl("2.5e+1", 25.0), +  test_ftl("2.5e+0", 2.5), +  test_ftl("2.5e-1", 0.25), +  test_ftl("-3.5e+17", -350.0e15), +  ok. + +test_ftl(Expect, Float) -> +  %% No on the next line -- we want the line number from t_float_to_list. +  Expect = remove_zeros(lists:reverse(float_to_list(Float)), []). + +%% Removes any non-significant zeros in a floating point number. +%% Example: 2.500000e+01 -> 2.5e+1 + +remove_zeros([$+, $e|Rest], [$0, X|Result]) -> +  remove_zeros([$+, $e|Rest], [X|Result]); +remove_zeros([$-, $e|Rest], [$0, X|Result]) -> +  remove_zeros([$-, $e|Rest], [X|Result]); +remove_zeros([$0, $.|Rest], [$e|Result]) -> +  remove_zeros(Rest, [$., $0, $e|Result]); +remove_zeros([$0|Rest], [$e|Result]) -> +  remove_zeros(Rest, [$e|Result]); +remove_zeros([Char|Rest], Result) -> +  remove_zeros(Rest, [Char|Result]); +remove_zeros([], Result) -> +  Result. + +%% Tests integer_to_list/1. + +t_integer_to_list() -> +  "0" = integer_to_list(0), +  "42" = integer_to_list(42), +  "-42" = integer_to_list(-42), +  "-42" = integer_to_list(-42), +  "32768" = integer_to_list(32768), +  "268435455" = integer_to_list(268435455), +  "-268435455" = integer_to_list(-268435455), +  "123456932798748738738" = integer_to_list(123456932798748738738), +  Big_List = lists:duplicate(2000, $1), +  Big = list_to_integer(Big_List), +  Big_List = integer_to_list(Big), +  ok. + +%% Tests list_to_float/1. + +t_list_to_float_safe() -> +  0.0 = list_to_float("0.0"), +  0.0 = list_to_float("-0.0"), +  0.5 = list_to_float("0.5"), +  -0.5 = list_to_float("-0.5"), +  100.0 = list_to_float("1.0e2"), +  127.5 = list_to_float("127.5"), +  -199.5 = list_to_float("-199.5"), +  ok. + +%% This might crash the emulator... +%% (Known to crash the Unix version of Erlang 4.4.1) + +t_list_to_float_risky() -> +  Many_Ones = lists:duplicate(25000, $1), +  _ = list_to_float("2."++Many_Ones), +  {'EXIT', {badarg, _}} = (catch list_to_float("2"++Many_Ones)), +  ok. + +%% Tests list_to_integer/1. + +t_list_to_integer() -> +  0 = list_to_integer("0"), +  0 = list_to_integer("00"), +  0 = list_to_integer("-0"), +  1 = list_to_integer("1"), +  -1 = list_to_integer("-1"), +  42 = list_to_integer("42"), +  -12 = list_to_integer("-12"), +  32768 = list_to_integer("32768"), +  268435455 = list_to_integer("268435455"), +  -268435455 = list_to_integer("-268435455"), +  %% Bignums. +  123456932798748738738 = list_to_integer("123456932798748738738"), +  _ = list_to_integer(lists:duplicate(2000, $1)), +  ok. + +%% Tests round/1. + +t_round() -> +  0 = round(0.0), +  0 = round(0.4), +  1 = round(0.5), +  0 = round(-0.4), +  -1 = round(-0.5), +  255 = round(255.3), +  256 = round(255.6), +  -1033 = round(-1033.3), +  -1034 = round(-1033.6), +  %% OTP-3722: +  X = (1 bsl 27) - 1, +  MX = -X, +  MXm1 = -X-1, +  MXp1 = -X+1, +  F = X + 0.0, +  X = round(F), +  X = round(F+1)-1, +  X = round(F-1)+1, +  MX = round(-F), +  MXm1 = round(-F-1), +  MXp1 = round(-F+1), +  X = round(F+0.1), +  X = round(F+1+0.1)-1, +  X = round(F-1+0.1)+1, +  MX = round(-F+0.1), +  MXm1 = round(-F-1+0.1), +  MXp1 = round(-F+1+0.1), +  X = round(F-0.1), +  X = round(F+1-0.1)-1, +  X = round(F-1-0.1)+1, +  MX = round(-F-0.1), +  MXm1 = round(-F-1-0.1), +  MXp1 = round(-F+1-0.1), +  0.5 = abs(round(F+0.5)-(F+0.5)), +  0.5 = abs(round(F-0.5)-(F-0.5)), +  0.5 = abs(round(-F-0.5)-(-F-0.5)), +  0.5 = abs(round(-F+0.5)-(-F+0.5)), +  %% Bignums. +  4294967296 = round(4294967296.1), +  4294967297 = round(4294967296.9), +  -4294967296 = -round(4294967296.1), +  -4294967297 = -round(4294967296.9), +  ok. + +t_trunc() -> +  0 = trunc(0.0), +  5 = trunc(5.3333), +  -10 = trunc(-10.978987), +  %% The largest smallnum, converted to float (OTP-3722): +  X = (1 bsl 27) - 1, +  F = X + 0.0, +  %%  io:format("X = ~p/~w/~w, F = ~p/~w/~w, trunc(F) = ~p/~w/~w~n", +  %%	      [X, X, binary_to_list(term_to_binary(X)), +  %%	       F, F, binary_to_list(term_to_binary(F)), +  %%	       trunc(F), trunc(F), binary_to_list(term_to_binary(trunc(F)))]), +  X = trunc(F), +  X = trunc(F+1)-1, +  X = trunc(F-1)+1, +  X = -trunc(-F), +  X = -trunc(-F-1)-1, +  X = -trunc(-F+1)+1, +  %% Bignums. +  4294967305 = trunc(4294967305.7), +  -4294967305 = trunc(-4294967305.7), +  ok. diff --git a/lib/hipe/test/hipe_SUITE.erl b/lib/hipe/test/hipe_SUITE.erl index a5b3924aa8..b9adb660f2 100644 --- a/lib/hipe/test/hipe_SUITE.erl +++ b/lib/hipe/test/hipe_SUITE.erl @@ -16,7 +16,11 @@  %%  -module(hipe_SUITE). --compile([export_all]). +-export([all/0, groups/0, +	 init_per_suite/1, end_per_suite/1, +	 init_per_group/2, end_per_group/2, +	 app/0, app/1, appup/0, appup/1]). +  -include_lib("common_test/include/ct.hrl").  all() -> diff --git a/lib/hipe/test/opt_verify_SUITE.erl b/lib/hipe/test/opt_verify_SUITE.erl index 61952e81d7..86083fa02b 100644 --- a/lib/hipe/test/opt_verify_SUITE.erl +++ b/lib/hipe/test/opt_verify_SUITE.erl @@ -1,6 +1,9 @@  -module(opt_verify_SUITE). --compile([export_all]). +-export([all/0, groups/0, +	 init_per_suite/1, end_per_suite/1, +	 init_per_group/2, end_per_group/2, +	 call_elim/0, call_elim/1]).  all() ->      [call_elim]. @@ -23,23 +26,6 @@ init_per_group(_GroupName, Config) ->  end_per_group(_GroupName, Config) ->      Config. -call_elim_test_file(Config, FileName, Option) -> -    PrivDir = test_server:lookup_config(priv_dir, Config), -    TempOut = test_server:temp_name(filename:join(PrivDir, "call_elim_out")), -    {ok, TestCase} = compile:file(FileName), -    {ok, TestCase} = hipe:c(TestCase, [Option, {pp_range_icode, {file, TempOut}}]), -    {ok, Icode} = file:read_file(TempOut), -    ok = file:delete(TempOut), -    Icode. - -substring_count(Icode, Substring) -> -    substring_count(Icode, Substring, 0). -substring_count(Icode, Substring, N) -> -    case string:str(Icode, Substring) of -        0 -> N; -        I -> substring_count(lists:nthtail(I, Icode), Substring, N+1) -    end. -  call_elim() ->      [{doc, "Test that the call elimination optimization pass is ok"}].  call_elim(Config) -> @@ -60,3 +46,20 @@ call_elim(Config) ->      Icode6 = call_elim_test_file(Config, F3, no_icode_call_elim),      3 = substring_count(binary:bin_to_list(Icode6), "is_key"),      ok. + +call_elim_test_file(Config, FileName, Option) -> +    PrivDir = test_server:lookup_config(priv_dir, Config), +    TempOut = test_server:temp_name(filename:join(PrivDir, "call_elim_out")), +    {ok, TestCase} = compile:file(FileName), +    {ok, TestCase} = hipe:c(TestCase, [Option, {pp_range_icode, {file, TempOut}}]), +    {ok, Icode} = file:read_file(TempOut), +    ok = file:delete(TempOut), +    Icode. + +substring_count(Icode, Substring) -> +    substring_count(Icode, Substring, 0). +substring_count(Icode, Substring, N) -> +    case string:str(Icode, Substring) of +        0 -> N; +        I -> substring_count(lists:nthtail(I, Icode), Substring, N+1) +    end. diff --git a/lib/inets/doc/src/httpc.xml b/lib/inets/doc/src/httpc.xml index 705afec022..4217b3c4fb 100644 --- a/lib/inets/doc/src/httpc.xml +++ b/lib/inets/doc/src/httpc.xml @@ -83,7 +83,7 @@      <title>HTTP DATA TYPES</title>      <p>Type definitions related to HTTP:</p> -    <p><c>method() = head | get | put | post | trace | options | delete</c></p> +    <p><c>method() = head | get | put | post | trace | options | delete | patch</c></p>      <taglist>        <tag><c>request()</c></tag>        <item><p>= <c>{url(), headers()}</c></p> diff --git a/lib/inets/src/http_client/httpc.erl b/lib/inets/src/http_client/httpc.erl index 91d87289a2..bd5f6df39e 100644 --- a/lib/inets/src/http_client/httpc.erl +++ b/lib/inets/src/http_client/httpc.erl @@ -147,6 +147,26 @@ request(Method, Request, HttpOptions, Options) ->      request(Method, Request, HttpOptions, Options, default_profile()).   request(Method,  +	{Url, Headers, ContentType, TupleBody},  +	HTTPOptions, Options, Profile)  +  when ((Method =:= post) orelse (Method =:= patch) orelse (Method =:= put) orelse (Method =:= delete))  +       andalso (is_atom(Profile) orelse is_pid(Profile)) andalso +       is_list(ContentType)  andalso is_tuple(TupleBody)-> +    case check_body_gen(TupleBody) of +	ok -> +	    do_request(Method, {Url, Headers, ContentType, TupleBody}, HTTPOptions, Options, Profile); +	Error -> +	    Error +    end; +request(Method,  +	{Url, Headers, ContentType, Body},  +	HTTPOptions, Options, Profile)  +  when ((Method =:= post) orelse (Method =:= patch) orelse (Method =:= put) orelse (Method =:= delete))  +       andalso (is_atom(Profile) orelse is_pid(Profile)) andalso +       is_list(ContentType) andalso (is_list(Body) orelse is_binary(Body)) -> +    do_request(Method, {Url, Headers, ContentType, Body}, HTTPOptions, Options, Profile); + +request(Method,   	{Url, Headers},   	HTTPOptions, Options, Profile)     when (Method =:= options) orelse  @@ -155,12 +175,6 @@ request(Method,         (Method =:= delete) orelse          (Method =:= trace) andalso          (is_atom(Profile) orelse is_pid(Profile)) -> -    ?hcrt("request", [{method,       Method},  -		      {url,          Url}, -		      {headers,      Headers},  -		      {http_options, HTTPOptions},  -		      {options,      Options},  -		      {profile,      Profile}]),      case uri_parse(Url, Options) of  	{error, Reason} ->  	    {error, Reason}; @@ -172,21 +186,9 @@ request(Method,  		    handle_request(Method, Url, ParsedUrl, Headers, [], [],   				   HTTPOptions, Options, Profile)  	    end -    end; -      -request(Method,  -	{Url, Headers, ContentType, Body},  -	HTTPOptions, Options, Profile)  -  when ((Method =:= post) orelse (Method =:= patch) orelse (Method =:= put) orelse -	(Method =:= delete)) andalso (is_atom(Profile) orelse is_pid(Profile)) -> -    ?hcrt("request", [{method,       Method},  -		      {url,          Url}, -		      {headers,      Headers},  -		      {content_type, ContentType},  -		      {body,         Body},  -		      {http_options, HTTPOptions},  -		      {options,      Options},  -		      {profile,      Profile}]), +    end. + +do_request(Method, {Url, Headers, ContentType, Body}, HTTPOptions, Options, Profile) ->      case uri_parse(Url, Options) of  	{error, Reason} ->  	    {error, Reason}; @@ -196,7 +198,6 @@ request(Method,  			   HTTPOptions, Options, Profile)      end. -  %%--------------------------------------------------------------------------  %% cancel_request(RequestId) -> ok  %% cancel_request(RequestId, Profile) -> ok @@ -209,7 +210,6 @@ cancel_request(RequestId) ->  cancel_request(RequestId, Profile)     when is_atom(Profile) orelse is_pid(Profile) -> -    ?hcrt("cancel request", [{request_id, RequestId}, {profile, Profile}]),      httpc_manager:cancel_request(RequestId, profile_name(Profile)). @@ -232,7 +232,6 @@ cancel_request(RequestId, Profile)  set_options(Options) ->      set_options(Options, default_profile()).  set_options(Options, Profile) when is_atom(Profile) orelse is_pid(Profile) -> -    ?hcrt("set options", [{options, Options}, {profile, Profile}]),      case validate_options(Options) of  	{ok, Opts} ->  	    httpc_manager:set_options(Opts, profile_name(Profile)); @@ -272,7 +271,6 @@ get_options(all = _Options, Profile) ->  get_options(Options, Profile)     when (is_list(Options) andalso   	(is_atom(Profile) orelse is_pid(Profile))) -> -    ?hcrt("get options", [{options, Options}, {profile, Profile}]),      case Options -- get_options() of  	[] ->  	    try  @@ -314,9 +312,6 @@ store_cookies(SetCookieHeaders, Url) ->  store_cookies(SetCookieHeaders, Url, Profile)     when is_atom(Profile) orelse is_pid(Profile) -> -    ?hcrt("store cookies", [{set_cookie_headers, SetCookieHeaders},  -			    {url,                Url}, -			    {profile,            Profile}]),      try   	begin  	    %% Since the Address part is not actually used @@ -353,9 +348,6 @@ cookie_header(Url, Opts) when is_list(Opts) ->  cookie_header(Url, Opts, Profile)     when (is_list(Opts) andalso (is_atom(Profile) orelse is_pid(Profile))) -> -    ?hcrt("cookie header", [{url,     Url}, -			    {opts,    Opts},  -			    {profile, Profile}]),      try   	begin  	    httpc_manager:which_cookies(Url, Opts, profile_name(Profile)) @@ -398,7 +390,6 @@ which_sessions() ->      which_sessions(default_profile()).  which_sessions(Profile) -> -    ?hcrt("which sessions", [{profile, Profile}]),      try   	begin  	    httpc_manager:which_sessions(profile_name(Profile)) @@ -419,7 +410,6 @@ info() ->      info(default_profile()).  info(Profile) -> -    ?hcrt("info", [{profile, Profile}]),      try   	begin  	    httpc_manager:info(profile_name(Profile)) @@ -440,7 +430,6 @@ reset_cookies() ->      reset_cookies(default_profile()).  reset_cookies(Profile) -> -    ?hcrt("reset cookies", [{profile, Profile}]),      try   	begin  	    httpc_manager:reset_cookies(profile_name(Profile)) @@ -458,7 +447,6 @@ reset_cookies(Profile) ->  %%              same behavior as active once for sockets.  %%-------------------------------------------------------------------------  stream_next(Pid) -> -    ?hcrt("stream next", [{handler, Pid}]),      httpc_handler:stream_next(Pid). @@ -466,7 +454,6 @@ stream_next(Pid) ->  %%% Behaviour callbacks  %%%========================================================================  start_standalone(PropList) -> -    ?hcrt("start standalone", [{proplist, PropList}]),      case proplists:get_value(profile, PropList) of  	undefined ->  	    {error, no_profile}; @@ -477,14 +464,11 @@ start_standalone(PropList) ->      end.  start_service(Config) -> -    ?hcrt("start service", [{config, Config}]),      httpc_profile_sup:start_child(Config).  stop_service(Profile) when is_atom(Profile) -> -    ?hcrt("stop service", [{profile, Profile}]),      httpc_profile_sup:stop_child(Profile);  stop_service(Pid) when is_pid(Pid) -> -    ?hcrt("stop service", [{pid, Pid}]),      case service_info(Pid) of  	{ok, [{profile, Profile}]} ->  	    stop_service(Profile); @@ -510,7 +494,6 @@ service_info(Pid) ->  %%%========================================================================  %%% Internal functions  %%%======================================================================== -  handle_request(Method, Url,   	       {Scheme, UserInfo, Host, Port, Path, Query},   	       Headers0, ContentType, Body0, @@ -521,9 +504,6 @@ handle_request(Method, Url,      try  	begin -	    ?hcrt("begin processing", [{started,     Started},  -				       {new_headers, NewHeaders0}]), -  	    {NewHeaders, Body} =   		case Body0 of  		    {chunkify, ProcessBody, Acc}  @@ -575,16 +555,13 @@ handle_request(Method, Url,  		{ok, RequestId} ->  		    handle_answer(RequestId, Sync, Options);  		{error, Reason} -> -		    ?hcrd("request failed", [{reason, Reason}]),  		    {error, Reason}  	    end  	end      catch  	error:{noproc, _} -> -	    ?hcrv("noproc", [{profile, Profile}]),  	    {error, {not_started, Profile}};  	throw:Error -> -	    ?hcrv("throw", [{error, Error}]),  	    Error      end. @@ -620,15 +597,10 @@ handle_answer(RequestId, false, _) ->  handle_answer(RequestId, true, Options) ->      receive  	{http, {RequestId, saved_to_file}} -> -	    ?hcrt("received saved-to-file", [{request_id, RequestId}]),  	    {ok, saved_to_file};  	{http, {RequestId, {_,_,_} = Result}} -> -	    ?hcrt("received answer", [{request_id, RequestId},  -				      {result,     Result}]),  	    return_answer(Options, Result);  	{http, {RequestId, {error, Reason}}} -> -	    ?hcrt("received error", [{request_id, RequestId},  -				     {reason,     Reason}]),  	    {error, Reason}      end. @@ -1257,18 +1229,14 @@ child_name(Pid, [{Name, Pid} | _]) ->  child_name(Pid, [_ | Children]) ->      child_name(Pid, Children). -%% d(F) -> -%%    d(F, []). - -%% d(F, A) ->  -%%     d(get(dbg), F, A). - -%% d(true, F, A) -> -%%     io:format(user, "~w:~w:" ++ F ++ "~n", [self(), ?MODULE | A]); -%% d(_, _, _) -> -%%     ok. -  host_address(Host, false) ->      Host;  host_address(Host, true) ->      string:strip(string:strip(Host, right, $]), left, $[). + +check_body_gen({Fun, _}) when is_function(Fun) ->  +    ok; +check_body_gen({chunkify, Fun, _}) when is_function(Fun) ->  +    ok; +check_body_gen(Gen) ->  +    {error, {bad_body_generator, Gen}}. diff --git a/lib/inets/src/http_client/httpc_handler.erl b/lib/inets/src/http_client/httpc_handler.erl index 2e7df8e424..c99200777b 100644 --- a/lib/inets/src/http_client/httpc_handler.erl +++ b/lib/inets/src/http_client/httpc_handler.erl @@ -32,7 +32,6 @@  %% Internal Application API  -export([           start_link/4, -         %% connect_and_send/2,           send/2,            cancel/2,           stream_next/1, @@ -165,14 +164,12 @@ info(Pid) ->  %%--------------------------------------------------------------------  %% Request should not be streamed  stream(BodyPart, #request{stream = none} = Request, _) -> -    ?hcrt("stream - none", []),      {false, BodyPart, Request};  %% Stream to caller  stream(BodyPart, #request{stream = Self} = Request, Code)     when ?IS_STREAMED(Code) andalso         ((Self =:= self) orelse (Self =:= {self, once})) -> -    ?hcrt("stream - self", [{stream, Self}, {code, Code}]),      httpc_response:send(Request#request.from,                           {Request#request.id, stream, BodyPart}),      {true, <<>>, Request}; @@ -182,10 +179,8 @@ stream(BodyPart, #request{stream = Self} = Request, Code)  %% We keep this for backward compatibillity...  stream(BodyPart, #request{stream = Filename} = Request, Code)    when ?IS_STREAMED(Code) andalso is_list(Filename) -> -    ?hcrt("stream - filename", [{stream, Filename}, {code, Code}]),      case file:open(Filename, [write, raw, append, delayed_write]) of          {ok, Fd} -> -            ?hcrt("stream - file open ok", [{fd, Fd}]),              stream(BodyPart, Request#request{stream = Fd}, 200);          {error, Reason} ->              exit({stream_to_file_failed, Reason}) @@ -194,7 +189,6 @@ stream(BodyPart, #request{stream = Filename} = Request, Code)  %% Stream to file  stream(BodyPart, #request{stream = Fd} = Request, Code)      when ?IS_STREAMED(Code) -> -    ?hcrt("stream to file", [{stream, Fd}, {code, Code}]),      case file:write(Fd, BodyPart) of          ok ->              {true, <<>>, Request}; @@ -203,7 +197,6 @@ stream(BodyPart, #request{stream = Fd} = Request, Code)      end;  stream(BodyPart, Request,_) -> % only 200 and 206 responses can be streamed -    ?hcrt("stream - ignore", [{request, Request}]),      {false, BodyPart, Request}. @@ -257,22 +250,148 @@ init([Parent, Request, Options, ProfileName]) ->  %%          {stop, Reason, State}            (terminate/2 is called)  %% Description: Handling call messages  %%-------------------------------------------------------------------- -handle_call(#request{address = Addr} = Request, _,  +handle_call(Request, From, State) -> +    try do_handle_call(Request, From, State) of  +	Result -> +	    Result +    catch +	_:Reason -> +	    {stop, {shutdown, Reason} , State} +    end.		 + + +%%-------------------------------------------------------------------- +%% Function: handle_cast(Msg, State) -> {noreply, State} | +%%          {noreply, State, Timeout} | +%%          {stop, Reason, State}            (terminate/2 is called) +%% Description: Handling cast messages +%%-------------------------------------------------------------------- +handle_cast(Msg, State) -> +    try do_handle_cast(Msg, State) of  +	Result -> +	    Result +    catch +	_:Reason -> +	    {stop, {shutdown, Reason} , State} +    end.		 + +%%-------------------------------------------------------------------- +%% Function: handle_info(Info, State) -> {noreply, State} | +%%          {noreply, State, Timeout} | +%%          {stop, Reason, State}            (terminate/2 is called) +%% Description: Handling all non call/cast messages +%%-------------------------------------------------------------------- +handle_info(Info, State) -> +    try do_handle_info(Info, State) of  +	Result -> +	    Result +    catch +	_:Reason -> +	    {stop, {shutdown, Reason} , State} +    end.		 + +%%-------------------------------------------------------------------- +%% Function: terminate(Reason, State) -> _  (ignored by gen_server) +%% Description: Shutdown the httpc_handler +%%-------------------------------------------------------------------- + +%% Init error there is no socket to be closed. +terminate(normal,  +          #state{request = Request,  +                 session = {send_failed, _} = Reason} = State) -> +    maybe_send_answer(Request,  +                      httpc_response:error(Request, Reason),  +                      State), +    ok;  + +terminate(normal,  +          #state{request = Request,  +                 session = {connect_failed, _} = Reason} = State) -> +    maybe_send_answer(Request,  +                      httpc_response:error(Request, Reason),  +                      State), +    ok;  + +terminate(normal, #state{session = undefined}) -> +    ok;   + +%% Init error sending, no session information has been setup but +%% there is a socket that needs closing. +terminate(normal,  +          #state{session = #session{id = undefined} = Session}) ->   +    close_socket(Session); + +%% Socket closed remotely +terminate(normal,  +          #state{session = #session{socket      = {remote_close, Socket}, +                                    socket_type = SocketType,  +                                    id          = Id},  +                 profile_name = ProfileName, +                 request      = Request, +                 timers       = Timers, +                 pipeline     = Pipeline, +                 keep_alive   = KeepAlive} = State) ->   +    %% Clobber session +    (catch httpc_manager:delete_session(Id, ProfileName)), + +    maybe_retry_queue(Pipeline, State), +    maybe_retry_queue(KeepAlive, State), + +    %% Cancel timers +    cancel_timers(Timers), + +    %% Maybe deliver answers to requests +    deliver_answer(Request), + +    %% And, just in case, close our side (**really** overkill) +    http_transport:close(SocketType, Socket); + +terminate(_Reason, #state{session = #session{id          = Id, +                                            socket      = Socket,  +                                            socket_type = SocketType}, +                    request      = undefined, +                    profile_name = ProfileName, +                    timers       = Timers, +                    pipeline     = Pipeline, +                    keep_alive   = KeepAlive} = State) ->  + +    %% Clobber session +    (catch httpc_manager:delete_session(Id, ProfileName)), + +    maybe_retry_queue(Pipeline, State), +    maybe_retry_queue(KeepAlive, State), + +    cancel_timer(Timers#timers.queue_timer, timeout_queue), +    http_transport:close(SocketType, Socket); + +terminate(_Reason, #state{request = undefined}) ->  +    ok; + +terminate(Reason, #state{request = Request} = State) ->  +    NewState = maybe_send_answer(Request,  +                                 httpc_response:error(Request, Reason),  +                                 State), +    terminate(Reason, NewState#state{request = undefined}). + +%%-------------------------------------------------------------------- +%% Func: code_change(_OldVsn, State, Extra) -> {ok, NewState} +%% Purpose: Convert process state when code is changed +%%-------------------------------------------------------------------- + +code_change(_, State, _) -> +    {ok, State}. + +%%%-------------------------------------------------------------------- +%%% Internal functions +%%%-------------------------------------------------------------------- +do_handle_call(#request{address = Addr} = Request, _,               #state{status  = Status,                     session = #session{type = pipeline} = Session,                     timers  = Timers,                     options = #options{proxy = Proxy} = _Options,                      profile_name = ProfileName} = State0)    when Status =/= undefined -> - -    ?hcrv("new request on a pipeline session",  -          [{request, Request},  -           {profile, ProfileName},  -           {status,  Status},  -           {timers,  Timers}]), -      Address = handle_proxy(Addr, Proxy), -      case httpc_request:send(Address, Session, Request) of          ok -> @@ -287,9 +406,8 @@ handle_call(#request{address = Addr} = Request, _,              case State0#state.request of                  #request{} = OldRequest -> %% Old request not yet finished -                    ?hcrd("old request still not finished", []),                      %% Make sure to use the new value of timers in state -                    NewTimers = State1#state.timers, +		    NewTimers = State1#state.timers,                      NewPipeline = queue:in(Request, State1#state.pipeline),                      NewSession  =                           Session#session{queue_length =  @@ -297,7 +415,6 @@ handle_call(#request{address = Addr} = Request, _,                                          queue:len(NewPipeline) + 1,                                          client_close = ClientClose},                      insert_session(NewSession, ProfileName), -                    ?hcrd("session updated", []),                      {reply, ok, State1#state{  				  request = OldRequest,  				  pipeline = NewPipeline, @@ -306,7 +423,6 @@ handle_call(#request{address = Addr} = Request, _,                  undefined ->                      %% Note: tcp-message receiving has already been                      %% activated by handle_pipeline/2.  -                    ?hcrd("no current request", []),                      cancel_timer(Timers#timers.queue_timer,                                    timeout_queue),                      NewSession =  @@ -314,18 +430,16 @@ handle_call(#request{address = Addr} = Request, _,                                          client_close = ClientClose},                      httpc_manager:insert_session(NewSession, ProfileName),                      NewTimers = Timers#timers{queue_timer = undefined},  -                    ?hcrd("session created", []),  		    State = init_wait_for_response_state(Request, State1#state{session = NewSession,  								      timers = NewTimers}),                      {reply, ok, State}              end;          {error, Reason} -> -		    ?hcri("failed sending request", [{reason, Reason}]),              NewPipeline = queue:in(Request, State0#state.pipeline), -            {stop, shutdown, {pipeline_failed, Reason}, State0#state{pipeline = NewPipeline}} +            {stop, {shutdown, {pipeline_failed, Reason}}, State0#state{pipeline = NewPipeline}}      end; -handle_call(#request{address = Addr} = Request, _,  +do_handle_call(#request{address = Addr} = Request, _,               #state{status  = Status,                     session = #session{type = keep_alive} = Session,                     timers  = Timers, @@ -333,17 +447,11 @@ handle_call(#request{address = Addr} = Request, _,                     profile_name = ProfileName} = State0)    when Status =/= undefined -> -    ?hcrv("new request on a keep-alive session",  -          [{request, Request},  -           {profile, ProfileName},  -           {status,  Status}]), -      ClientClose = httpc_request:is_client_closing(Request#request.headers),      case State0#state.request of  	#request{} -> %% Old request not yet finished  	    %% Make sure to use the new value of timers in state -	    ?hcrd("old request still not finished", []),  	    NewKeepAlive = queue:in(Request, State0#state.keep_alive),  	    NewSession   =  		Session#session{queue_length = @@ -351,13 +459,11 @@ handle_call(#request{address = Addr} = Request, _,  				    queue:len(NewKeepAlive) + 1,  				client_close = ClientClose},  	    insert_session(NewSession, ProfileName), -	    ?hcrd("session updated", []),  	    {reply, ok, State0#state{keep_alive = NewKeepAlive,  				    session    = NewSession}};  	undefined ->  	    %% Note: tcp-message receiving has already been  	    %% activated by handle_pipeline/2. -	    ?hcrd("no current request", []),  	    cancel_timer(Timers#timers.queue_timer,  			 timeout_queue),  	    NewTimers = Timers#timers{queue_timer = undefined}, @@ -365,8 +471,6 @@ handle_call(#request{address = Addr} = Request, _,  	    Address = handle_proxy(Addr, Proxy),  	    case httpc_request:send(Address, Session, Request) of  		ok -> -		    ?hcrd("request sent", []), -  		    %% Activate the request time out for the new request  		    State2 =  			activate_request_timeout(State1#state{request = Request}), @@ -377,22 +481,13 @@ handle_call(#request{address = Addr} = Request, _,  		    State = init_wait_for_response_state(Request, State2#state{session = NewSession}),  		    {reply, ok, State};  		{error, Reason} -> -		    ?hcri("failed sending request", [{reason, Reason}]), -		    {stop, shutdown, {keepalive_failed, Reason}, State1} +		    {stop, {shutdown, {keepalive_failed, Reason}}, State1}  	    end      end; - -handle_call(info, _, State) -> +do_handle_call(info, _, State) ->      Info = handler_info(State),       {reply, Info, State}. -%%-------------------------------------------------------------------- -%% Function: handle_cast(Msg, State) -> {noreply, State} | -%%          {noreply, State, Timeout} | -%%          {stop, Reason, State}            (terminate/2 is called) -%% Description: Handling cast messages -%%-------------------------------------------------------------------- -  %% When the request in process has been canceled the handler process is  %% stopped and the pipelined requests will be reissued or remaining  %% requests will be sent on a new connection. This is is @@ -405,145 +500,102 @@ handle_call(info, _, State) ->  %% handle_keep_alive_queue/2 on the other hand will just skip the  %% request as if it was never issued as in this case the request will  %% not have been sent.  -handle_cast({cancel, RequestId}, +do_handle_cast({cancel, RequestId},              #state{request      = #request{id = RequestId} = Request, -                   profile_name = ProfileName,                     canceled     = Canceled} = State) -> -    ?hcrv("cancel current request", [{request_id, RequestId},  -                                     {profile,    ProfileName}, -                                     {canceled,   Canceled}]),      {stop, normal,        State#state{canceled = [RequestId | Canceled],                   request  = Request#request{from = answer_sent}}}; -handle_cast({cancel, RequestId}, -            #state{profile_name = ProfileName, -                   request      = #request{id = CurrId}, -                   canceled     = Canceled} = State) -> -    ?hcrv("cancel", [{request_id, RequestId}, -                     {curr_req_id, CurrId}, -                     {profile, ProfileName}, -                     {canceled,   Canceled}]), +do_handle_cast({cancel, RequestId}, +	       #state{request = #request{}, +		      canceled = Canceled} = State) ->      {noreply, State#state{canceled = [RequestId | Canceled]}}; -handle_cast({cancel, RequestId}, -            #state{profile_name = ProfileName, -                   request      = undefined, -                   canceled     = Canceled} = State) -> -    ?hcrv("cancel", [{request_id, RequestId}, -                     {curr_req_id, undefined}, -                     {profile, ProfileName}, -                     {canceled,   Canceled}]), +do_handle_cast({cancel, _}, +	       #state{request = undefined} = State) ->      {noreply, State}; - -handle_cast(stream_next, #state{session = Session} = State) -> +do_handle_cast(stream_next, #state{session = Session} = State) ->      activate_once(Session),       %% Inactivate the #state.once here because we don't want      %% next_body_chunk/1 to activate the socket twice.      {noreply, State#state{once = inactive}}. - -%%-------------------------------------------------------------------- -%% Function: handle_info(Info, State) -> {noreply, State} | -%%          {noreply, State, Timeout} | -%%          {stop, Reason, State}            (terminate/2 is called) -%% Description: Handling all non call/cast messages -%%-------------------------------------------------------------------- -handle_info({Proto, _Socket, Data},  +do_handle_info({Proto, _Socket, Data},               #state{mfa = {Module, Function, Args},  -                   request = #request{method = Method,  -                                      stream = Stream} = Request,  +                   request = #request{method = Method} = Request,                      session = Session,                      status_line = StatusLine} = State)     when (Proto =:= tcp) orelse          (Proto =:= ssl) orelse          (Proto =:= httpc_handler) -> -    ?hcri("received data", [{proto,       Proto},  -                            {module,      Module},  -                            {function,    Function},  -                            {method,      Method},  -                            {stream,      Stream},  -                            {session,     Session},  -                            {status_line, StatusLine}]), - -    FinalResult =  -        try Module:Function([Data | Args]) of -            {ok, Result} -> -                ?hcrd("data processed - ok", []), -                handle_http_msg(Result, State);  -            {_, whole_body, _} when Method =:= head -> -                ?hcrd("data processed - whole body", []), -                handle_response(State#state{body = <<>>});  -            {Module, whole_body, [Body, Length]} -> -                ?hcrd("data processed - whole body", [{length, Length}]), -                {_, Code, _} = StatusLine, -                {Streamed, NewBody, NewRequest} = stream(Body, Request, Code), -                %% When we stream we will not keep the already -                %% streamed data, that would be a waste of memory. -                NewLength =  -                    case Streamed of -                        false -> -                            Length; -                        true -> -                            Length - size(Body)                      -                    end, -                 -                NewState = next_body_chunk(State, Code), -                NewMFA   = {Module, whole_body, [NewBody, NewLength]},  -                {noreply, NewState#state{mfa     = NewMFA, -                                         request = NewRequest}}; -            {Module, decode_size, -             [TotalChunk, HexList, +    try Module:Function([Data | Args]) of +	{ok, Result} -> +	    handle_http_msg(Result, State);  +	{_, whole_body, _} when Method =:= head -> +	    handle_response(State#state{body = <<>>});  +	{Module, whole_body, [Body, Length]} -> +	    {_, Code, _} = StatusLine, +	    {Streamed, NewBody, NewRequest} = stream(Body, Request, Code), +	    %% When we stream we will not keep the already +	    %% streamed data, that would be a waste of memory. +	    NewLength =  +		case Streamed of +		    false -> +			Length; +		    true -> +			Length - size(Body)                      +		end, +	     +	    NewState = next_body_chunk(State, Code), +	    NewMFA   = {Module, whole_body, [NewBody, NewLength]},  +	    {noreply, NewState#state{mfa     = NewMFA, +				     request = NewRequest}}; +        {Module, decode_size, +             [TotalChunk, HexList, AccHeaderSize,                {MaxBodySize, BodySoFar, AccLength, MaxHeaderSize}]} -              when BodySoFar =/= <<>> -> -                ?hcrd("data processed - decode_size", []), -                %% The response body is chunk-encoded. Steal decoded -                %% chunks as much as possible to stream. -                {_, Code, _} = StatusLine, -                {_, NewBody, NewRequest} = stream(BodySoFar, Request, Code), -                NewState = next_body_chunk(State, Code), -                NewMFA   = {Module, decode_size, -                            [TotalChunk, HexList, +	  when BodySoFar =/= <<>> -> +	    %% The response body is chunk-encoded. Steal decoded +	    %% chunks as much as possible to stream. +	    {_, Code, _} = StatusLine, +	    {_, NewBody, NewRequest} = stream(BodySoFar, Request, Code), +	    NewState = next_body_chunk(State, Code), +	    NewMFA   = {Module, decode_size, +			[TotalChunk, HexList, AccHeaderSize,                               {MaxBodySize, NewBody, AccLength, MaxHeaderSize}]}, +	    {noreply, NewState#state{mfa     = NewMFA, +				     request = NewRequest}}; +	{Module, decode_data, +	 [ChunkSize, TotalChunk, +	  {MaxBodySize, BodySoFar, AccLength, MaxHeaderSize}]} +	  when TotalChunk =/= <<>> orelse BodySoFar =/= <<>> -> +	    %% The response body is chunk-encoded. Steal decoded +	    %% chunks as much as possible to stream. +	    ChunkSizeToSteal = min(ChunkSize, byte_size(TotalChunk)), +	    <<StolenChunk:ChunkSizeToSteal/binary, NewTotalChunk/binary>> = TotalChunk, +	    StolenBody   = <<BodySoFar/binary, StolenChunk/binary>>, +	    NewChunkSize = ChunkSize - ChunkSizeToSteal, +	    {_, Code, _} = StatusLine, +	     +	    {_, NewBody, NewRequest} = stream(StolenBody, Request, Code), +	    NewState = next_body_chunk(State, Code), +	    NewMFA   = {Module, decode_data, +			[NewChunkSize, NewTotalChunk, +			 {MaxBodySize, NewBody, AccLength, MaxHeaderSize}]},                  {noreply, NewState#state{mfa     = NewMFA,                                           request = NewRequest}}; -            {Module, decode_data, -             [ChunkSize, TotalChunk, -              {MaxBodySize, BodySoFar, AccLength, MaxHeaderSize}]} -              when TotalChunk =/= <<>> orelse BodySoFar =/= <<>> -> -                ?hcrd("data processed - decode_data", []), -                %% The response body is chunk-encoded. Steal decoded -                %% chunks as much as possible to stream. -                ChunkSizeToSteal = min(ChunkSize, byte_size(TotalChunk)), -                <<StolenChunk:ChunkSizeToSteal/binary, NewTotalChunk/binary>> = TotalChunk, -                StolenBody   = <<BodySoFar/binary, StolenChunk/binary>>, -                NewChunkSize = ChunkSize - ChunkSizeToSteal, -                {_, Code, _} = StatusLine, - -                {_, NewBody, NewRequest} = stream(StolenBody, Request, Code), -                NewState = next_body_chunk(State, Code), -                NewMFA   = {Module, decode_data, -                            [NewChunkSize, NewTotalChunk, -                             {MaxBodySize, NewBody, AccLength, MaxHeaderSize}]}, -                {noreply, NewState#state{mfa     = NewMFA, -                                         request = NewRequest}}; -            NewMFA -> -                ?hcrd("data processed - new mfa", []), -                activate_once(Session), -                {noreply, State#state{mfa = NewMFA}} -        catch -            _:_Reason -> -                ?hcrd("data processing exit", [{exit, _Reason}]), -                ClientReason = {could_not_parse_as_http, Data},  -                ClientErrMsg = httpc_response:error(Request, ClientReason), -                NewState     = answer_request(Request, ClientErrMsg, State), -                {stop, normal, NewState} -        end, -    ?hcri("data processed", [{final_result, FinalResult}]), -    FinalResult; - +	NewMFA -> +	    activate_once(Session), +	    {noreply, State#state{mfa = NewMFA}} +    catch +	_:Reason -> +	    ClientReason = {could_not_parse_as_http, Data},  +	    ClientErrMsg = httpc_response:error(Request, ClientReason), +	    NewState     = answer_request(Request, ClientErrMsg, State), +	    {stop, {shutdown, Reason}, NewState} +    end; -handle_info({Proto, Socket, Data},  +do_handle_info({Proto, Socket, Data},               #state{mfa          = MFA,                      request      = Request,                      session      = Session,  @@ -568,200 +620,107 @@ handle_info({Proto, Socket, Data},      {noreply, State}; -  %% The Server may close the connection to indicate that the  %% whole body is now sent instead of sending an length  %% indicator. -handle_info({tcp_closed, _}, State = #state{mfa = {_, whole_body, Args}}) -> +do_handle_info({tcp_closed, _}, State = #state{mfa = {_, whole_body, Args}}) ->      handle_response(State#state{body = hd(Args)});  -handle_info({ssl_closed, _}, State = #state{mfa = {_, whole_body, Args}}) -> +do_handle_info({ssl_closed, _}, State = #state{mfa = {_, whole_body, Args}}) ->      handle_response(State#state{body = hd(Args)});   %%% Server closes idle pipeline -handle_info({tcp_closed, _}, State = #state{request = undefined}) -> +do_handle_info({tcp_closed, _}, State = #state{request = undefined}) ->      {stop, normal, State}; -handle_info({ssl_closed, _}, State = #state{request = undefined}) -> +do_handle_info({ssl_closed, _}, State = #state{request = undefined}) ->      {stop, normal, State};  %%% Error cases -handle_info({tcp_closed, _}, #state{session = Session0} = State) -> +do_handle_info({tcp_closed, _}, #state{session = Session0} = State) ->      Socket  = Session0#session.socket,      Session = Session0#session{socket = {remote_close, Socket}},      %% {stop, session_remotly_closed, State};      {stop, normal, State#state{session = Session}}; -handle_info({ssl_closed, _}, #state{session = Session0} = State) -> +do_handle_info({ssl_closed, _}, #state{session = Session0} = State) ->      Socket  = Session0#session.socket,      Session = Session0#session{socket = {remote_close, Socket}},      %% {stop, session_remotly_closed, State};      {stop, normal, State#state{session = Session}}; -handle_info({tcp_error, _, _} = Reason, State) -> +do_handle_info({tcp_error, _, _} = Reason, State) ->      {stop, Reason, State}; -handle_info({ssl_error, _, _} = Reason, State) -> +do_handle_info({ssl_error, _, _} = Reason, State) ->      {stop, Reason, State};  %% Timeouts  %% Internally, to a request handling process, a request timeout is  %% seen as a canceled request. -handle_info({timeout, RequestId},  +do_handle_info({timeout, RequestId},               #state{request      = #request{id = RequestId} = Request,                     canceled     = Canceled,                     profile_name = ProfileName} = State) -> -    ?hcri("timeout of current request", [{id, RequestId}]),      httpc_response:send(Request#request.from,                           httpc_response:error(Request, timeout)),      httpc_manager:request_done(RequestId, ProfileName), -    ?hcrv("response (timeout) sent - now terminate", []),      {stop, normal,        State#state{request  = Request#request{from = answer_sent},                   canceled = [RequestId | Canceled]}}; -handle_info({timeout, RequestId},  +do_handle_info({timeout, RequestId},               #state{canceled     = Canceled,                     profile_name = ProfileName} = State) -> -    ?hcri("timeout", [{id, RequestId}]),      Filter =           fun(#request{id = Id, from = From} = Request) when Id =:= RequestId -> -                ?hcrv("found request", [{id, Id}, {from, From}]),                  %% Notify the owner                  httpc_response:send(From,                                       httpc_response:error(Request, timeout)),                  httpc_manager:request_done(RequestId, ProfileName), -                ?hcrv("response (timeout) sent", []),                  [Request#request{from = answer_sent}];             (_) ->                  true          end,      case State#state.status of          pipeline -> -            ?hcrd("pipeline", []),              Pipeline = queue:filter(Filter, State#state.pipeline),              {noreply, State#state{canceled = [RequestId | Canceled],                                    pipeline = Pipeline}};          keep_alive -> -            ?hcrd("keep_alive", []),              KeepAlive = queue:filter(Filter, State#state.keep_alive),              {noreply, State#state{canceled   = [RequestId | Canceled],                                    keep_alive = KeepAlive}}      end; -handle_info(timeout_queue, State = #state{request = undefined}) -> +do_handle_info(timeout_queue, State = #state{request = undefined}) ->      {stop, normal, State};  %% Timing was such as the queue_timeout was not canceled! -handle_info(timeout_queue, #state{timers = Timers} = State) -> +do_handle_info(timeout_queue, #state{timers = Timers} = State) ->      {noreply, State#state{timers =                             Timers#timers{queue_timer = undefined}}};  %% Setting up the connection to the server somehow failed.  -handle_info({init_error, Tag, ClientErrMsg}, +do_handle_info({init_error, Reason, ClientErrMsg},              State = #state{request = Request}) -> -    ?hcrv("init error", [{tag, Tag}, {client_error, ClientErrMsg}]),      NewState = answer_request(Request, ClientErrMsg, State), -    {stop, normal, NewState}; - +    {stop, {shutdown, Reason}, NewState};  %%% httpc_manager process dies.  -handle_info({'EXIT', _, _}, State = #state{request = undefined}) -> +do_handle_info({'EXIT', _, _}, State = #state{request = undefined}) ->      {stop, normal, State};  %%Try to finish the current request anyway,  %% there is a fairly high probability that it can be done successfully.  %% Then close the connection, hopefully a new manager is started that  %% can retry requests in the pipeline. -handle_info({'EXIT', _, _}, State) -> +do_handle_info({'EXIT', _, _}, State) ->      {noreply, State#state{status = close}}. -%%-------------------------------------------------------------------- -%% Function: terminate(Reason, State) -> _  (ignored by gen_server) -%% Description: Shutdown the httpc_handler -%%-------------------------------------------------------------------- - -%% Init error there is no socket to be closed. -terminate(normal,  -          #state{request = Request,  -                 session = {send_failed, AReason} = Reason} = State) -> -    ?hcrd("terminate", [{send_reason, AReason}, {request, Request}]), -    maybe_send_answer(Request,  -                      httpc_response:error(Request, Reason),  -                      State), -    ok;  - -terminate(normal,  -          #state{request = Request,  -                 session = {connect_failed, AReason} = Reason} = State) -> -    ?hcrd("terminate", [{connect_reason, AReason}, {request, Request}]), -    maybe_send_answer(Request,  -                      httpc_response:error(Request, Reason),  -                      State), -    ok;  - -terminate(normal, #state{session = undefined}) -> -    ok;   - -%% Init error sending, no session information has been setup but -%% there is a socket that needs closing. -terminate(normal,  -          #state{session = #session{id = undefined} = Session}) ->   -    close_socket(Session); - -%% Socket closed remotely -terminate(normal,  -          #state{session = #session{socket      = {remote_close, Socket}, -                                    socket_type = SocketType,  -                                    id          = Id},  -                 profile_name = ProfileName, -                 request      = Request, -                 timers       = Timers, -                 pipeline     = Pipeline, -                 keep_alive   = KeepAlive} = State) ->   -    ?hcrt("terminate(normal) - remote close",  -          [{id, Id}, {profile, ProfileName}]), - -    %% Clobber session -    (catch httpc_manager:delete_session(Id, ProfileName)), - -    maybe_retry_queue(Pipeline, State), -    maybe_retry_queue(KeepAlive, State), - -    %% Cancel timers -    cancel_timers(Timers), - -    %% Maybe deliver answers to requests -    deliver_answer(Request), - -    %% And, just in case, close our side (**really** overkill) -    http_transport:close(SocketType, Socket); - -terminate(Reason, #state{session = #session{id          = Id, -                                            socket      = Socket,  -                                            socket_type = SocketType}, -                    request      = undefined, -                    profile_name = ProfileName, -                    timers       = Timers, -                    pipeline     = Pipeline, -                    keep_alive   = KeepAlive} = State) ->  -    ?hcrt("terminate",  -          [{id, Id}, {profile, ProfileName}, {reason, Reason}]), - -    %% Clobber session -    (catch httpc_manager:delete_session(Id, ProfileName)), - -    maybe_retry_queue(Pipeline, State), -    maybe_retry_queue(KeepAlive, State), - -    cancel_timer(Timers#timers.queue_timer, timeout_queue), -    http_transport:close(SocketType, Socket); +call(Msg, Pid) -> +    call(Msg, Pid, infinity). -terminate(Reason, #state{request = undefined}) ->  -    ?hcrt("terminate", [{reason, Reason}]), -    ok; +call(Msg, Pid, Timeout) -> +    gen_server:call(Pid, Msg, Timeout). -terminate(Reason, #state{request = Request} = State) ->  -    ?hcrd("terminate", [{reason, Reason}, {request, Request}]), -    NewState = maybe_send_answer(Request,  -                                 httpc_response:error(Request, Reason),  -                                 State), -    terminate(Reason, NewState#state{request = undefined}). +cast(Msg, Pid) -> +    gen_server:cast(Pid, Msg).  maybe_retry_queue(Q, State) ->      case queue:is_empty(Q) of  @@ -776,45 +735,13 @@ maybe_send_answer(#request{from = answer_sent}, _Reason, State) ->  maybe_send_answer(Request, Answer, State) ->      answer_request(Request, Answer, State). -deliver_answer(#request{id = Id, from = From} = Request)  +deliver_answer(#request{from = From} = Request)     when is_pid(From) ->      Response = httpc_response:error(Request, socket_closed_remotely), -    ?hcrd("deliver answer", [{id, Id}, {from, From}, {response, Response}]),      httpc_response:send(From, Response); -deliver_answer(Request) -> -    ?hcrd("skip deliver answer", [{request, Request}]), +deliver_answer(_Request) ->      ok. - -%%-------------------------------------------------------------------- -%% Func: code_change(_OldVsn, State, Extra) -> {ok, NewState} -%% Purpose: Convert process state when code is changed -%%-------------------------------------------------------------------- - -code_change(_, State, _) -> -    {ok, State}. - - -%% new_http_options({http_options, TimeOut, AutoRedirect, SslOpts, -%%                Auth, Relaxed}) -> -%%     {http_options, "HTTP/1.1", TimeOut, AutoRedirect, SslOpts, -%%      Auth, Relaxed}. - -%% old_http_options({http_options, _, TimeOut, AutoRedirect, -%%                SslOpts, Auth, Relaxed}) -> -%%     {http_options, TimeOut, AutoRedirect, SslOpts, Auth, Relaxed}. - -%% new_queue(Queue, Fun) -> -%%     List = queue:to_list(Queue), -%%     NewList =  -%%      lists:map(fun(Request) -> -%%                        Settings =  -%%                            Fun(Request#request.settings), -%%                        Request#request{settings = Settings} -%%                end, List), -%%     queue:from_list(NewList). -     -  %%%--------------------------------------------------------------------  %%% Internal functions  %%%-------------------------------------------------------------------- @@ -872,26 +799,21 @@ connect(SocketType, ToAddress,  connect_and_send_first_request(Address, Request, #state{options = Options} = State) ->      SocketType  = socket_type(Request),      ConnTimeout = (Request#request.settings)#http_options.connect_timeout, -    ?hcri("connect", -          [{address, Address}, {request, Request}, {options, Options}]),      case connect(SocketType, Address, Options, ConnTimeout) of          {ok, Socket} ->              ClientClose = -                        httpc_request:is_client_closing( -                          Request#request.headers), +		httpc_request:is_client_closing( +		  Request#request.headers),              SessionType = httpc_manager:session_type(Options),              SocketType  = socket_type(Request),              Session = #session{id = {Request#request.address, self()},                                 scheme = Request#request.scheme,                                 socket = Socket, -                               socket_type = SocketType, -                               client_close = ClientClose, -                               type = SessionType}, -            ?hcri("connected - now send first request", [{socket, Socket}]), - +			       socket_type = SocketType, +			       client_close = ClientClose, +			       type = SessionType},              case httpc_request:send(Address, Session, Request) of                  ok -> -                    ?hcri("first request sent", []),                      TmpState = State#state{request = Request,                                             session = Session,                                             mfa = init_mfa(Request, State), @@ -949,12 +871,6 @@ handler_info(#state{request     = Request,  		    options     = _Options,  		    timers      = _Timers} = _State) -> -    ?hcrt("handler info", [{request,    Request}, -			   {session,    Session},  -			   {pipeline,   Pipeline},  -			   {keep_alive, KeepAlive},  -			   {status,     Status}]), -      %% Info about the current request      RequestInfo =   	case Request of @@ -965,8 +881,6 @@ handler_info(#state{request     = Request,  		[{id, Id}, {started, ReqStarted}]  	end, -    ?hcrt("handler info", [{request_info, RequestInfo}]), -      %% Info about the current session/socket      SessionType = Session#session.type,       QueueLen    = case SessionType of @@ -979,22 +893,12 @@ handler_info(#state{request     = Request,      Socket     = Session#session.socket,       SocketType = Session#session.socket_type,  -    ?hcrt("handler info", [{session_type, SessionType},  -			   {queue_length, QueueLen},  -			   {scheme,       Scheme},  -			   {socket,       Socket}]), -      SocketOpts  = http_transport:getopts(SocketType, Socket),       SocketStats = http_transport:getstat(SocketType, Socket),       Remote = http_transport:peername(SocketType, Socket),       Local  = http_transport:sockname(SocketType, Socket),  -    ?hcrt("handler info", [{remote,       Remote},  -			   {local,        Local},  -			   {socket_opts,  SocketOpts},  -			   {socket_stats, SocketStats}]), -      SocketInfo  = [{remote,       Remote},   		   {local,        Local},   		   {socket_opts,  SocketOpts}, @@ -1014,7 +918,6 @@ handler_info(#state{request     = Request,  handle_http_msg({Version, StatusCode, ReasonPharse, Headers, Body},   		State = #state{request = Request}) -> -    ?hcrt("handle_http_msg", [{headers, Headers}]),      case Headers#http_response_h.'content-type' of          "multipart/byteranges" ++ _Param ->              exit({not_yet_implemented, multypart_byteranges}); @@ -1028,15 +931,12 @@ handle_http_msg({Version, StatusCode, ReasonPharse, Headers, Body},      end;  handle_http_msg({ChunkedHeaders, Body},                  #state{status_line = {_, Code, _}, headers = Headers} = State) -> -    ?hcrt("handle_http_msg",  -	  [{chunked_headers, ChunkedHeaders}, {headers, Headers}]),      NewHeaders = http_chunk:handle_headers(Headers, ChunkedHeaders),      {_, NewBody, NewRequest} = stream(Body, State#state.request, Code),      handle_response(State#state{headers = NewHeaders,                                  body    = NewBody,                                  request = NewRequest});  handle_http_msg(Body, #state{status_line = {_,Code, _}} = State) -> -    ?hcrt("handle_http_msg", [{code, Code}]),      {_, NewBody, NewRequest} = stream(Body, State#state.request, Code),      handle_response(State#state{body = NewBody, request = NewRequest}). @@ -1051,41 +951,28 @@ handle_http_body(_, #state{status = {ssl_tunnel, Request},      {stop, normal, NewState};  handle_http_body(<<>>, #state{status_line = {_,304, _}} = State) -> -    ?hcrt("handle_http_body - 304", []),      handle_response(State#state{body = <<>>});  handle_http_body(<<>>, #state{status_line = {_,204, _}} = State) -> -    ?hcrt("handle_http_body - 204", []),      handle_response(State#state{body = <<>>});  handle_http_body(<<>>, #state{request = #request{method = head}} = State) -> -    ?hcrt("handle_http_body - head", []),      handle_response(State#state{body = <<>>});  handle_http_body(Body, #state{headers       = Headers,   			      max_body_size = MaxBodySize,  			      status_line   = {_,Code, _},  			      request       = Request} = State) -> -    ?hcrt("handle_http_body",  -	  [{max_body_size, MaxBodySize}, {headers, Headers}, {code, Code}]),      TransferEnc = Headers#http_response_h.'transfer-encoding',      case case_insensitive_header(TransferEnc) of          "chunked" -> -	    ?hcrt("handle_http_body - chunked", []),  	    try http_chunk:decode(Body, State#state.max_body_size,   				  State#state.max_header_size) of  		{Module, Function, Args} -> -		    ?hcrt("handle_http_body - new mfa",  -			  [{module,   Module},  -			   {function, Function},  -			   {args,     Args}]),  		    NewState = next_body_chunk(State, Code),  		    {noreply, NewState#state{mfa =   					     {Module, Function, Args}}};  		{ok, {ChunkedHeaders, NewBody}} -> -		    ?hcrt("handle_http_body - new body",  -			  [{chunked_headers, ChunkedHeaders},  -			   {new_body,        NewBody}]),  		    NewHeaders = http_chunk:handle_headers(Headers,   							   ChunkedHeaders),                      case Body of @@ -1107,7 +994,6 @@ handle_http_body(Body, #state{headers       = Headers,  		    {stop, normal, NewState}  	    end;          Enc when Enc =:= "identity"; Enc =:= undefined -> -            ?hcrt("handle_http_body - identity", []),              Length =                  list_to_integer(Headers#http_response_h.'content-length'),              case ((Length =< MaxBodySize) orelse (MaxBodySize =:= nolimit)) of @@ -1131,7 +1017,6 @@ handle_http_body(Body, #state{headers       = Headers,                      {stop, normal, NewState}              end;          Encoding when is_list(Encoding) -> -            ?hcrt("handle_http_body - other", [{encoding, Encoding}]),              NewState = answer_request(Request,                                        httpc_response:error(Request,                                                             unknown_encoding), @@ -1152,18 +1037,10 @@ handle_response(#state{request      = Request,  		       options      = Options,  		       profile_name = ProfileName} = State)     when Status =/= new -> -     -    ?hcrd("handle response", [{profile,     ProfileName}, -			      {status,      Status}, -			      {request,     Request}, -			      {session,     Session},  -			      {status_line, StatusLine}]), -      handle_cookies(Headers, Request, Options, ProfileName),       case httpc_response:result({StatusLine, Headers, Body}, Request) of  	%% 100-continue  	continue ->  -	    ?hcrd("handle response - continue", []),  	    %% Send request body  	    {_, RequestBody} = Request#request.content,  	    send_raw(Session, RequestBody), @@ -1180,7 +1057,6 @@ handle_response(#state{request      = Request,  	%% Ignore unexpected 100-continue response and receive the  	%% actual response that the server will send right away.   	{ignore, Data} ->  -	    ?hcrd("handle response - ignore", [{data, Data}]),  	    Relaxed = (Request#request.settings)#http_options.relaxed,  	    MFA     = {httpc_response, parse,  		       [State#state.max_header_size, Relaxed]},  @@ -1194,23 +1070,17 @@ handle_response(#state{request      = Request,  	%% obsolete and the manager will create a new request   	%% with the same id as the current.  	{redirect, NewRequest, Data} -> -	    ?hcrt("handle response - redirect",  -		  [{new_request, NewRequest}, {data, Data}]),   	    ok = httpc_manager:redirect_request(NewRequest, ProfileName),  	    handle_queue(State#state{request = undefined}, Data);  	{retry, TimeNewRequest, Data} -> -	    ?hcrt("handle response - retry",  -		  [{time_new_request, TimeNewRequest}, {data, Data}]),   	    ok = httpc_manager:retry_request(TimeNewRequest, ProfileName),  	    handle_queue(State#state{request = undefined}, Data);  	{ok, Msg, Data} -> -	    ?hcrd("handle response - ok", []),  	    stream_remaining_body(Body, Request, StatusLine),  	    end_stream(StatusLine, Request),  	    NewState = maybe_send_answer(Request, Msg, State),  	    handle_queue(NewState, Data);   	{stop, Msg} -> -	    ?hcrd("handle response - stop", [{msg, Msg}]),  	    end_stream(StatusLine, Request),  	    NewState = maybe_send_answer(Request, Msg, State),  	    {stop, normal, NewState} @@ -1245,28 +1115,19 @@ handle_pipeline(#state{status       = pipeline,  		       profile_name = ProfileName,  		       options      = #options{pipeline_timeout = TimeOut}} = State,  		Data) -> - -    ?hcrd("handle pipeline", [{profile, ProfileName},  -			      {session, Session}, -			      {timeout, TimeOut}]), -      case queue:out(State#state.pipeline) of  	{empty, _} -> -	    ?hcrd("pipeline queue empty", []),  	    handle_empty_queue(Session, ProfileName, TimeOut, State);  	{{value, NextRequest}, Pipeline} ->     -	    ?hcrd("pipeline queue non-empty", []),  	    case lists:member(NextRequest#request.id,   			      State#state.canceled) of		  		true -> -		    ?hcrv("next request had been cancelled", []),  		    %% See comment for handle_cast({cancel, RequestId})  		    {stop, normal,   		     State#state{request =   				 NextRequest#request{from = answer_sent},  				 pipeline = Pipeline}};  		false -> -		    ?hcrv("next request", [{request, NextRequest}]),  		    NewSession =   			Session#session{queue_length =  					%% Queue + current @@ -1283,25 +1144,16 @@ handle_keep_alive_queue(#state{status       = keep_alive,  			       options      = #options{keep_alive_timeout = TimeOut,  						       proxy              = Proxy}} = State,  			Data) -> - -    ?hcrd("handle keep_alive", [{profile, ProfileName},  -				{session, Session}, -				{timeout, TimeOut}]), -      case queue:out(State#state.keep_alive) of  	{empty, _} -> -	    ?hcrd("keep_alive queue empty", []),  	    handle_empty_queue(Session, ProfileName, TimeOut, State);  	{{value, NextRequest}, KeepAlive} ->     -	    ?hcrd("keep_alive queue non-empty", []),  	    case lists:member(NextRequest#request.id,   			      State#state.canceled) of		  		true -> -		    ?hcrv("next request has already been canceled", []),  		    handle_keep_alive_queue(  		      State#state{keep_alive = KeepAlive}, Data);  		false -> -		    ?hcrv("next request", [{request, NextRequest}]),  		    #request{address = Addr} = NextRequest,  		    Address = handle_proxy(Addr, Proxy),  		    case httpc_request:send(Address, Session, NextRequest) of @@ -1314,7 +1166,6 @@ handle_keep_alive_queue(#state{status       = keep_alive,  		    end  	    end      end. -  handle_empty_queue(Session, ProfileName, TimeOut, State) ->      %% The server may choose too terminate an idle pipline| keep_alive session      %% in this case we want to receive the close message @@ -1350,7 +1201,6 @@ init_wait_for_response_state(Request, State) ->  		status_line = undefined,  		headers     = undefined,  		body        = undefined}. -  gather_data(<<>>, Session, State) ->      activate_once(Session),      {noreply, State}; @@ -1381,10 +1231,6 @@ activate_request_timeout(  	    State;  	_ ->  	    ReqId = Request#request.id,  -	    ?hcrt("activate request timer",  -		  [{request_id,    ReqId},  -		   {time_consumed, t() - Request#request.started}, -		   {timeout,       Timeout}]),  	    Msg       = {timeout, ReqId},   	    Ref       = erlang:send_after(Timeout, self(), Msg),   	    Request2  = Request#request{timer = Ref},  @@ -1427,10 +1273,6 @@ try_to_enable_pipeline_or_keep_alive(  	 status_line  = {Version, _, _},  	 headers      = Headers,  	 profile_name = ProfileName} = State) -> -    ?hcrd("try to enable pipeline or keep-alive",  -	  [{version, Version},  -	   {headers, Headers},  -	   {session, Session}]),      case is_keep_alive_enabled_server(Version, Headers) andalso   	  is_keep_alive_connection(Headers, Session) of  	true -> @@ -1455,7 +1297,6 @@ answer_request(#request{id = RequestId, from = From} = Request, Msg,  	       #state{session      = Session,   		      timers       = Timers,   		      profile_name = ProfileName} = State) ->  -    ?hcrt("answer request", [{request, Request}, {msg, Msg}]),      httpc_response:send(From, Msg),      RequestTimers = Timers#timers.request_timers,      TimerRef = @@ -1602,42 +1443,32 @@ socket_type(#request{scheme = http}) ->      ip_comm;  socket_type(#request{scheme = https, settings = Settings}) ->      Settings#http_options.ssl. -%% socket_type(http) -> -%%     ip_comm; -%% socket_type(https) -> -%%     {ssl1, []}. %% Dummy value ok for ex setopts that does not use this value  start_stream({_Version, _Code, _ReasonPhrase}, _Headers,   	     #request{stream = none} = Request) -> -    ?hcrt("start stream - none", []),       {ok, Request};  start_stream({_Version, Code, _ReasonPhrase}, Headers,   	     #request{stream = self} = Request)     when ?IS_STREAMED(Code) -> -    ?hcrt("start stream - self", [{code, Code}]),       Msg = httpc_response:stream_start(Headers, Request, ignore),      httpc_response:send(Request#request.from, Msg),      {ok, Request};  start_stream({_Version, Code, _ReasonPhrase}, Headers,   	     #request{stream = {self, once}} = Request)     when ?IS_STREAMED(Code) -> -    ?hcrt("start stream - self:once", [{code, Code}]),       Msg = httpc_response:stream_start(Headers, Request, self()),      httpc_response:send(Request#request.from, Msg),      {ok, Request};      start_stream({_Version, Code, _ReasonPhrase}, _Headers,   	     #request{stream = Filename} = Request)    when ?IS_STREAMED(Code) andalso is_list(Filename) -> -    ?hcrt("start stream", [{code, Code}, {filename, Filename}]),      case file:open(Filename, [write, raw, append, delayed_write]) of          {ok, Fd} -> -            ?hcri("start stream - file open ok", [{fd, Fd}]),              {ok, Request#request{stream = Fd}};          {error, Reason} ->              exit({stream_to_file_failed, Reason})      end;  start_stream(_StatusLine, _Headers, Request) -> -    ?hcrt("start stream - no op", []),      {ok, Request}.  stream_remaining_body(<<>>, _, _) -> @@ -1648,16 +1479,12 @@ stream_remaining_body(Body, Request, {_, Code, _}) ->  %% Note the end stream message is handled by httpc_response and will  %% be sent by answer_request  end_stream(_, #request{stream = none}) -> -    ?hcrt("end stream - none", []),       ok;  end_stream(_, #request{stream = self}) -> -    ?hcrt("end stream - self", []),       ok;  end_stream(_, #request{stream = {self, once}}) -> -    ?hcrt("end stream - self:once", []),       ok;  end_stream({_,200,_}, #request{stream = Fd}) -> -    ?hcrt("end stream - 200", [{stream, Fd}]),       case file:close(Fd) of   	ok ->  	    ok; @@ -1665,15 +1492,13 @@ end_stream({_,200,_}, #request{stream = Fd}) ->  	    file:close(Fd)      end;  end_stream({_,206,_}, #request{stream = Fd}) -> -    ?hcrt("end stream - 206", [{stream, Fd}]),       case file:close(Fd) of         ok ->             ok;         {error, enospc} -> % Could be due to delayed_write             file:close(Fd)      end; -end_stream(SL, R) -> -    ?hcrt("end stream", [{status_line, SL}, {request, R}]),  +end_stream(_, _) ->      ok. @@ -1702,11 +1527,8 @@ handle_verbose(trace) ->  handle_verbose(_) ->      ok.     - -  send_raw(#session{socket = Socket, socket_type = SocketType},   	 {ProcessBody, Acc}) when is_function(ProcessBody, 1) -> -    ?hcrt("send raw", [{acc, Acc}]),      send_raw(SocketType, Socket, ProcessBody, Acc);  send_raw(#session{socket = Socket, socket_type = SocketType}, Body) ->      http_transport:send(SocketType, Socket, Body). @@ -1717,7 +1539,6 @@ send_raw(SocketType, Socket, ProcessBody, Acc) ->              ok;          {ok, Data, NewAcc} ->              DataBin = iolist_to_binary(Data), -            ?hcrd("send", [{data, DataBin}]),              case http_transport:send(SocketType, Socket, DataBin) of                  ok ->                      send_raw(SocketType, Socket, ProcessBody, NewAcc); @@ -1883,16 +1704,3 @@ update_session(ProfileName, #session{id = SessionId} = Session, Pos, Value) ->      end. -%% --------------------------------------------------------------------- - -call(Msg, Pid) -> -    call(Msg, Pid, infinity). - -call(Msg, Pid, Timeout) -> -    gen_server:call(Pid, Msg, Timeout). - -cast(Msg, Pid) -> -    gen_server:cast(Pid, Msg). - -t() -> -    http_util:timestamp(). diff --git a/lib/inets/src/http_client/httpc_response.erl b/lib/inets/src/http_client/httpc_response.erl index d8bdac24e3..0fd5faa466 100644 --- a/lib/inets/src/http_client/httpc_response.erl +++ b/lib/inets/src/http_client/httpc_response.erl @@ -363,7 +363,7 @@ redirect(Response = {StatusLine, Headers, Body}, Request) ->  		%% Automatic redirection  		{ok, {Scheme, _, Host, Port, Path,  Query}} ->   		    NewHeaders =  -			(Request#request.headers)#http_request_h{host = Host}, +			(Request#request.headers)#http_request_h{host = Host++":"++integer_to_list(Port)},  		    NewRequest =   			Request#request{redircount =   					Request#request.redircount+1, diff --git a/lib/inets/test/httpc_SUITE.erl b/lib/inets/test/httpc_SUITE.erl index a64ae2b87c..8aea38037d 100644 --- a/lib/inets/test/httpc_SUITE.erl +++ b/lib/inets/test/httpc_SUITE.erl @@ -88,7 +88,8 @@ real_requests()->       stream_through_mfa,       streaming_error,       inet_opts, -     invalid_headers +     invalid_headers, +     invalid_body      ].  only_simulated() -> @@ -125,7 +126,9 @@ only_simulated() ->       redirect_see_other,       redirect_temporary_redirect,       port_in_host_header, -     relaxed +     redirect_port_in_host_header, +     relaxed, +     multipart_chunks      ].  misc() -> @@ -1000,10 +1003,25 @@ invalid_headers(Config) ->      Request  = {url(group_name(Config), "/dummy.html", Config), [{"cookie", undefined}]},      {error, _} = httpc:request(get, Request, [], []). +%%------------------------------------------------------------------------- + +invalid_body(Config) -> +    URL = url(group_name(Config), "/dummy.html", Config), +    try  +	httpc:request(post, {URL, [], <<"text/plain">>, "foobar"}, +		      [], []), +	ct:fail(accepted_invalid_input) +    catch  +	error:function_clause -> +	    ok +    end. + +%%-------------------------------------------------------------------------  remote_socket_close(Config) when is_list(Config) ->      URL = url(group_name(Config), "/just_close.html", Config),      {error, socket_closed_remotely} = httpc:request(URL). +  %%-------------------------------------------------------------------------  remote_socket_close_async(Config) when is_list(Config) -> @@ -1102,7 +1120,20 @@ port_in_host_header(Config) when is_list(Config) ->      Request = {url(group_name(Config), "/ensure_host_header_with_port.html", Config), []},      {ok, {{_, 200, _}, _, Body}} = httpc:request(get, Request, [], []),      inets_test_lib:check_body(Body). +%%------------------------------------------------------------------------- +redirect_port_in_host_header(Config) when is_list(Config) -> +    Request = {url(group_name(Config), "/redirect_ensure_host_header_with_port.html", Config), []}, +    {ok, {{_, 200, _}, _, Body}} = httpc:request(get, Request, [], []), +    inets_test_lib:check_body(Body). + +%%------------------------------------------------------------------------- +multipart_chunks(Config) when is_list(Config) -> +    Request = {url(group_name(Config), "/multipart_chunks.html", Config), []}, +    {ok, Ref} = httpc:request(get, Request, [], [{sync, false}, {stream, self}]), +    ok = receive_stream_n(Ref, 10), +    httpc:cancel_request(Ref). +      %%-------------------------------------------------------------------------  timeout_memory_leak() ->      [{doc, "Check OTP-8739"}]. @@ -1398,7 +1429,7 @@ dummy_server(Caller, SocketType, Inet, Extra) ->      end.  dummy_server_init(Caller, ip_comm, Inet, _) -> -    BaseOpts = [binary, {packet, 0}, {reuseaddr,true}, {active, false}],  +    BaseOpts = [binary, {packet, 0}, {reuseaddr,true}, {keepalive, true}, {active, false}],       {ok, ListenSocket} = gen_tcp:listen(0, [Inet | BaseOpts]),      {ok, Port} = inet:port(ListenSocket),      Caller ! {port, Port}, @@ -1680,6 +1711,12 @@ handle_uri(_,"/ensure_host_header_with_port.html",_,Headers,_,_) ->  	    "HTTP/1.1 500 Internal Server Error\r\n" ++  		"Content-Length:" ++ Len ++ "\r\n\r\n" ++ B      end; +handle_uri(_,"/redirect_ensure_host_header_with_port.html",Port,_,Socket,_) -> +    NewUri = url_start(Socket) ++ +	integer_to_list(Port) ++ "/ensure_host_header_with_port.html", +    "HTTP/1.1 302 Found \r\n" ++ +	"Location:" ++ NewUri ++  "\r\n" ++ +	"Content-Length:0\r\n\r\n";  handle_uri(_,"/300.html",Port,_,Socket,_) ->      NewUri = url_start(Socket) ++ @@ -1968,6 +2005,16 @@ handle_uri(_,"/missing_CR.html",_,_,_,_) ->  	"Content-Length:32\r\n\n" ++  	"<HTML><BODY>foobar</BODY></HTML>"; +handle_uri(_,"/multipart_chunks.html",_,_,Socket,_) -> +    Head = "HTTP/1.1 200 ok\r\n" ++ +	"Transfer-Encoding:chunked\r\n" ++ +	"Date: " ++ httpd_util:rfc1123_date() ++ "\r\n" +	"Connection: Keep-Alive\r\n" ++ +	"Content-Type: multipart/x-mixed-replace; boundary=chunk_boundary\r\n" ++ +	"\r\n", +    send(Socket, Head), +    send_multipart_chunks(Socket), +    http_chunk:encode_last();  handle_uri("HEAD",_,_,_,_,_) ->      "HTTP/1.1 200 ok\r\n" ++  	"Content-Length:0\r\n\r\n"; @@ -2264,3 +2311,21 @@ otp_8739_dummy_server_main(_Parent, ListenSocket) ->  	Error ->  	    exit(Error)      end. + +send_multipart_chunks(Socket) -> +    send(Socket, http_chunk:encode("--chunk_boundary\r\n")), +    send(Socket, http_chunk:encode("Content-Type: text/plain\r\nContent-Length: 4\r\n\r\n")), +    send(Socket, http_chunk:encode("test\r\n")), +    ct:sleep(500), +    send_multipart_chunks(Socket). + +receive_stream_n(_, 0) -> +    ok; +receive_stream_n(Ref, N) -> +    receive +	{http, {Ref, stream_start, _}} -> +	    receive_stream_n(Ref, N); +	{http, {Ref,stream, Data}} -> +	    ct:pal("Data:  ~p", [Data]), +	    receive_stream_n(Ref, N-1) +    end. diff --git a/lib/kernel/doc/src/heart.xml b/lib/kernel/doc/src/heart.xml index 59a046bf4d..5b5b71e521 100644 --- a/lib/kernel/doc/src/heart.xml +++ b/lib/kernel/doc/src/heart.xml @@ -37,10 +37,7 @@        the <c>heart</c> port program is to check that the Erlang runtime system        it is supervising is still running. If the port program has not        received any heartbeats within <c>HEART_BEAT_TIMEOUT</c> seconds -      (defaults to 60 seconds), the system can be rebooted. Also, if -      the system is equipped with a hardware watchdog timer and is -      running Solaris, the watchdog can be used to supervise the entire -      system.</p> +      (defaults to 60 seconds), the system can be rebooted.</p>      <p>An Erlang runtime system to be monitored by a heart program        is to be started with command-line flag <c>-heart</c> (see        also <seealso marker="erts:erl"><c>erl(1)</c></seealso>). @@ -51,17 +48,13 @@        or a terminated Erlang runtime system, environment variable        <c>HEART_COMMAND</c> must be set before the system is started.        If this variable is not set, a warning text is printed but -      the system does not reboot. However, if the hardware watchdog is -      used, it still triggers a reboot <c>HEART_BEAT_BOOT_DELAY</c> -      seconds later (defaults to 60 seconds).</p> +      the system does not reboot.</p>      <p>To reboot on Windows, <c>HEART_COMMAND</c> can be        set to <c>heart -shutdown</c> (included in the Erlang delivery)        or to any other suitable program that can activate a reboot.</p> -    <p>The hardware watchdog is not started under Solaris if -      environment variable <c>HW_WD_DISABLE</c> is set.</p> -    <p>The environment variables <c>HEART_BEAT_TIMEOUT</c> and -      <c>HEART_BEAT_BOOT_DELAY</c> can be used to configure the heart -      time-outs; they can be set in the operating system shell before Erlang +    <p>The environment variable <c>HEART_BEAT_TIMEOUT</c> +      can be used to configure the heart +      time-outs; it can be set in the operating system shell before Erlang        is started or be specified at the command line:</p>      <pre>  % <input>erl -heart -env HEART_BEAT_TIMEOUT 30 ...</input></pre> diff --git a/lib/kernel/src/heart.erl b/lib/kernel/src/heart.erl index eea78aabdf..8fa48d56fb 100644 --- a/lib/kernel/src/heart.erl +++ b/lib/kernel/src/heart.erl @@ -198,16 +198,11 @@ start_portprogram() ->      end.  get_heart_timeouts() -> -    HeartOpts = case os:getenv("HEART_BEAT_TIMEOUT") of -		    false -> ""; -		    H when is_list(H) ->  -			"-ht " ++ H -		end, -    HeartOpts ++ case os:getenv("HEART_BEAT_BOOT_DELAY") of -		     false -> ""; -		     W when is_list(W) -> -			 " -wt " ++ W -		 end. +    case os:getenv("HEART_BEAT_TIMEOUT") of +	false -> ""; +	H when is_list(H) -> +	    "-ht " ++ H +    end.  check_start_heart() ->      case init:get_argument(heart) of diff --git a/lib/observer/src/crashdump_viewer.erl b/lib/observer/src/crashdump_viewer.erl index 2f9f81104a..13e73f027d 100644 --- a/lib/observer/src/crashdump_viewer.erl +++ b/lib/observer/src/crashdump_viewer.erl @@ -928,7 +928,10 @@ general_info(File) ->  		  WholeLine -> WholeLine  	      end, -    GI = get_general_info(Fd,#general_info{created=Created}), +    {Slogan,SysVsn} = get_slogan_and_sysvsn(Fd,[]), +    GI = get_general_info(Fd,#general_info{created=Created, +                                           slogan=Slogan, +                                           system_vsn=SysVsn}),      {MemTot,MemMax} =   	case lookup_index(?memory) of @@ -982,12 +985,20 @@ general_info(File) ->  		    mem_max=MemMax,  		    instr_info=InstrInfo}. +get_slogan_and_sysvsn(Fd,Acc) -> +    case val(Fd,eof) of +        "Slogan: " ++ SloganPart when Acc==[] -> +            get_slogan_and_sysvsn(Fd,[SloganPart]); +        "System version: " ++ SystemVsn -> +            {lists:append(lists:reverse(Acc)),SystemVsn}; +        eof -> +            {lists:append(lists:reverse(Acc)),"-1"}; +        SloganPart -> +            get_slogan_and_sysvsn(Fd,[[$\n|SloganPart]|Acc]) +    end. +  get_general_info(Fd,GenInfo) ->      case line_head(Fd) of -	"Slogan" -> -	    get_general_info(Fd,GenInfo#general_info{slogan=val(Fd)}); -	"System version" -> -	    get_general_info(Fd,GenInfo#general_info{system_vsn=val(Fd)});  	"Compiled" ->  	    get_general_info(Fd,GenInfo#general_info{compile_time=val(Fd)});  	"Taints" -> diff --git a/lib/observer/src/etop.erl b/lib/observer/src/etop.erl index fcb900960b..925f4456bb 100644 --- a/lib/observer/src/etop.erl +++ b/lib/observer/src/etop.erl @@ -23,7 +23,7 @@  -export([start/0, start/1, config/2, stop/0, dump/1, help/0]).  %% Internal  -export([update/1]). --export([loadinfo/1, meminfo/2, getopt/2]). +-export([loadinfo/2, meminfo/2, getopt/2]).  -include("etop.hrl").  -include("etop_defs.hrl"). @@ -319,18 +319,18 @@ output(graphical) -> exit({deprecated, "Use observer instead"});  output(text) -> etop_txt. -loadinfo(SysI) -> +loadinfo(SysI,Prev) ->      #etop_info{n_procs = Procs,   	       run_queue = RQ,   	       now = Now,  	       wall_clock = WC,  	       runtime = RT} = SysI, -    Cpu = calculate_cpu_utilization(WC,RT), +    Cpu = calculate_cpu_utilization(WC,RT,Prev#etop_info.runtime),      Clock = io_lib:format("~2.2.0w:~2.2.0w:~2.2.0w",  			 tuple_to_list(element(2,calendar:now_to_datetime(Now)))),      {Cpu,Procs,RQ,Clock}. -calculate_cpu_utilization({_,WC},{_,RT}) -> +calculate_cpu_utilization({_,WC},{_,RT},_) ->      %% Old version of observer_backend, using statistics(wall_clock)      %% and statistics(runtime)      case {WC,RT} of @@ -341,15 +341,23 @@ calculate_cpu_utilization({_,WC},{_,RT}) ->  	_ ->  	    round(100*RT/WC)      end; -calculate_cpu_utilization(_,undefined) -> +calculate_cpu_utilization(_,undefined,_) ->      %% First time collecting - no cpu utilization has been measured      %% since scheduler_wall_time flag is not yet on      0; -calculate_cpu_utilization(_,RTInfo) -> +calculate_cpu_utilization(WC,RTInfo,undefined) -> +    %% Second time collecting - RTInfo shows scheduler_wall_time since +    %% flag was set to true. Faking previous values by setting +    %% everything to zero. +    ZeroRT = [{Id,0,0} || {Id,_,_} <- RTInfo], +    calculate_cpu_utilization(WC,RTInfo,ZeroRT); +calculate_cpu_utilization(_,RTInfo,PrevRTInfo) ->      %% New version of observer_backend, using statistics(scheduler_wall_time) -    Sum = lists:foldl(fun({_,A,T},{AAcc,TAcc}) -> {A+AAcc,T+TAcc} end, +    Sum = lists:foldl(fun({{_, A0, T0}, {_, A1, T1}},{AAcc,TAcc}) -> +                              {(A1 - A0)+AAcc,(T1 - T0)+TAcc} +                      end,  		      {0,0}, -		      RTInfo), +		      lists:zip(PrevRTInfo,RTInfo)),      case Sum of  	{0,0} ->  	    0; diff --git a/lib/observer/src/etop_txt.erl b/lib/observer/src/etop_txt.erl index 3b4c176478..6b8f9df24f 100644 --- a/lib/observer/src/etop_txt.erl +++ b/lib/observer/src/etop_txt.erl @@ -22,35 +22,35 @@  %%-compile(export_all).  -export([init/1,stop/1]). --export([do_update/3]). +-export([do_update/4]).  -include("etop.hrl").  -include("etop_defs.hrl"). --import(etop,[loadinfo/1,meminfo/2]). +-import(etop,[loadinfo/2,meminfo/2]).  -define(PROCFORM,"~-15w~-20s~8w~8w~8w~8w ~-20s~n").  stop(Pid) -> Pid ! stop.  init(Config) -> -    loop(Config). +    loop(#etop_info{},Config). -loop(Config) -> -    Info = do_update(Config), +loop(Prev,Config) -> +    Info = do_update(Prev,Config),      receive   	stop -> stopped; -	{dump,Fd} -> do_update(Fd,Info,Config), loop(Config);  -	{config,_,Config1} -> loop(Config1) -    after Config#opts.intv -> loop(Config) +	{dump,Fd} -> do_update(Fd,Info,Prev,Config), loop(Info,Config); +	{config,_,Config1} -> loop(Info,Config1) +    after Config#opts.intv -> loop(Info,Config)      end. -do_update(Config) -> +do_update(Prev,Config) ->      Info = etop:update(Config), -    do_update(standard_io,Info,Config). +    do_update(standard_io,Info,Prev,Config). -do_update(Fd,Info,Config) -> -    {Cpu,NProcs,RQ,Clock} = loadinfo(Info), +do_update(Fd,Info,Prev,Config) -> +    {Cpu,NProcs,RQ,Clock} = loadinfo(Info,Prev),      io:nl(Fd),      writedoubleline(Fd),      case Info#etop_info.memi of diff --git a/lib/observer/src/observer_lib.erl b/lib/observer/src/observer_lib.erl index 59a2f9f205..1eaba31a3a 100644 --- a/lib/observer/src/observer_lib.erl +++ b/lib/observer/src/observer_lib.erl @@ -461,14 +461,16 @@ create_box(Parent, Data) ->  				 link_entry(Panel,Value);  			     _ ->  				 Value = to_str(Value0), -				 case length(Value) > 100 of -				     true -> -					 Shown = lists:sublist(Value, 80), +                                 case string:sub_word(lists:sublist(Value, 80),1,$\n) of +                                     Value -> +                                         %% Short string, no newlines - show all +					 wxStaticText:new(Panel, ?wxID_ANY, Value); +                                     Shown -> +                                         %% Long or with newlines, +                                         %% use tooltip to show all  					 TCtrl = wxStaticText:new(Panel, ?wxID_ANY, [Shown,"..."]),  					 wxWindow:setToolTip(TCtrl,wxToolTip:new(Value)), -					 TCtrl; -				     false -> -					 wxStaticText:new(Panel, ?wxID_ANY, Value) +					 TCtrl  				 end  			 end,  		     wxSizer:add(Line, 10, 0), % space of size 10 horisontally diff --git a/lib/observer/src/observer_pro_wx.erl b/lib/observer/src/observer_pro_wx.erl index ee6829b847..f07b9e295a 100644 --- a/lib/observer/src/observer_pro_wx.erl +++ b/lib/observer/src/observer_pro_wx.erl @@ -511,7 +511,13 @@ table_holder(#holder{info=Info, attrs=Attrs,  	    table_holder(S0);  	{dump, Fd} ->  	    EtopInfo = (S0#holder.etop)#etop_info{procinfo=array:to_list(Info)}, -	    etop_txt:do_update(Fd, EtopInfo, #opts{node=Node}), +            %% The empty #etop_info{} below is a dummy previous info +            %% value. It is used by etop to calculate the scheduler +            %% utilization since last update. When dumping to file, +            %% there is no previous measurement to use, so we just add +            %% a dummy here, and the value shown will be since the +            %% tool was started. +	    etop_txt:do_update(Fd, EtopInfo, #etop_info{}, #opts{node=Node}),  	    file:close(Fd),  	    table_holder(S0);  	stop -> diff --git a/lib/runtime_tools/src/observer_backend.erl b/lib/runtime_tools/src/observer_backend.erl index e943fb4a3e..b27bc63d15 100644 --- a/lib/runtime_tools/src/observer_backend.erl +++ b/lib/runtime_tools/src/observer_backend.erl @@ -314,13 +314,12 @@ etop_collect(Collector) ->      case SchedulerWallTime of  	undefined -> -	    spawn(fun() -> flag_holder_proc(Collector) end), +            erlang:system_flag(scheduler_wall_time,true), +            spawn(fun() -> flag_holder_proc(Collector) end),              ok;  	_ ->  	    ok -    end, - -    erlang:system_flag(scheduler_wall_time,true). +    end.  flag_holder_proc(Collector) ->      Ref = erlang:monitor(process,Collector), diff --git a/lib/sasl/test/release_handler_SUITE_data/start b/lib/sasl/test/release_handler_SUITE_data/start index 87275045b1..eab2b77aed 100755 --- a/lib/sasl/test/release_handler_SUITE_data/start +++ b/lib/sasl/test/release_handler_SUITE_data/start @@ -21,8 +21,7 @@ then  fi  HEART_COMMAND=$ROOTDIR/bin/start -HW_WD_DISABLE=true -export HW_WD_DISABLE HEART_COMMAND +export HEART_COMMAND  START_ERL_DATA=${1:-$RELDIR/start_erl.data} diff --git a/lib/sasl/test/release_handler_SUITE_data/start_client b/lib/sasl/test/release_handler_SUITE_data/start_client index 5ea94d6f7c..05d744f06e 100755 --- a/lib/sasl/test/release_handler_SUITE_data/start_client +++ b/lib/sasl/test/release_handler_SUITE_data/start_client @@ -24,8 +24,7 @@ RELDIR=$CLIENTDIR/releases  # Note that this scripts is modified an copied to $CLIENTDIR/bin/start  # in release_handler_SUITE:copy_client - therefore HEART_COMMAND is as follows:  HEART_COMMAND=$CLIENTDIR/bin/start -HW_WD_DISABLE=true -export HW_WD_DISABLE HEART_COMMAND +export HEART_COMMAND  START_ERL_DATA=${1:-$RELDIR/start_erl.data} diff --git a/lib/ssh/src/ssh_auth.erl b/lib/ssh/src/ssh_auth.erl index ac35b70209..9b54ecb2dd 100644 --- a/lib/ssh/src/ssh_auth.erl +++ b/lib/ssh/src/ssh_auth.erl @@ -406,7 +406,11 @@ handle_userauth_info_response(#ssh_msg_userauth_info_response{num_responses = 1,  				   kb_tries_left = KbTriesLeft,  				   user = User,  				   userauth_supported_methods = Methods} = Ssh) -> -    SendOneEmpty = proplists:get_value(tstflg, Opts) == one_empty, +    SendOneEmpty = +	(proplists:get_value(tstflg,Opts) == one_empty) +	orelse  +	proplists:get_value(one_empty, proplists:get_value(tstflg,Opts,[]), false), +      case check_password(User, unicode:characters_to_list(Password), Opts, Ssh) of  	{true,Ssh1} when SendOneEmpty==true ->  	    Msg = #ssh_msg_userauth_info_request{name = "", diff --git a/lib/ssh/test/property_test/ssh_eqc_encode_decode.erl b/lib/ssh/test/property_test/ssh_eqc_encode_decode.erl index dc3b7dc7e6..0f8a838f97 100644 --- a/lib/ssh/test/property_test/ssh_eqc_encode_decode.erl +++ b/lib/ssh/test/property_test/ssh_eqc_encode_decode.erl @@ -54,15 +54,18 @@  -endif.  -endif. +%% Public key records: +-include_lib("public_key/include/public_key.hrl").  %%% Properties:  prop_ssh_decode() -> -    ?FORALL(Msg, ssh_msg(), -	    try ssh_message:decode(Msg) +    ?FORALL({Msg,KexFam}, ?LET(KF, kex_family(), {ssh_msg(KF),KF} ), +	    try ssh_message:decode(decode_state(Msg,KexFam))  	    of  		_ -> true  	    catch +  		C:E -> io:format('~p:~p~n',[C,E]),  		       false  	    end @@ -71,122 +74,101 @@ prop_ssh_decode() ->  %%% This fails because ssh_message is not symmetric in encode and decode regarding data types  prop_ssh_decode_encode() -> -    ?FORALL(Msg, ssh_msg(), -	    Msg == ssh_message:encode(ssh_message:decode(Msg)) +    ?FORALL({Msg,KexFam}, ?LET(KF, kex_family(), {ssh_msg(KF),KF} ), +	    Msg == ssh_message:encode( +		     fix_asym( +		       ssh_message:decode(decode_state(Msg,KexFam))))  	   ).  %%%================================================================  %%% -%%% Scripts to generate message generators -%%% - -%% awk '/^( |\t)+byte( |\t)+SSH/,/^( |\t)*$/{print}' rfc425?.txt | sed 's/^\( \|\\t\)*//' > msgs.txt - -%% awk '/^byte( |\t)+SSH/{print $2","}' < msgs.txt - -%% awk 'BEGIN{print "%%%---- BEGIN GENERATED";prev=0} END{print "    >>.\n%%%---- END GENERATED"}  /^byte( |\t)+SSH/{if (prev==1) print "    >>.\n"; prev=1; printf "%c%s%c",39,$2,39; print "()->\n   <<?"$2;next}  /^string( |\t)+\"/{print "    ,"$2;next} /^string( |\t)+.*address/{print "    ,(ssh_string_address())/binary %%",$2,$3,$4,$5,$6;next}/^string( |\t)+.*US-ASCII/{print "    ,(ssh_string_US_ASCII())/binary %%",$2,$3,$4,$5,$6;next} /^string( |\t)+.*UTF-8/{print "    ,(ssh_string_UTF_8())/binary %% ",$2,$3,$4,$5,$6;next}    /^[a-z0-9]+( |\t)/{print "    ,(ssh_"$1"())/binary %%",$2,$3,$4,$5,$6;next}  /^byte\[16\]( |\t)+/{print"    ,(ssh_byte_16())/binary %%",$2,$3,$4,$5,$6;next} /^name-list( |\t)+/{print"    ,(ssh_name_list())/binary %%",$2,$3,$4,$5,$6;next} /./{print "?? %%",$0}' < msgs.txt > gen.txt - -%%%================================================================ -%%%  %%% Generators  %%%  -ssh_msg() -> ?LET(M,oneof( -[[msg_code('SSH_MSG_CHANNEL_CLOSE'),gen_uint32()], -    [msg_code('SSH_MSG_CHANNEL_DATA'),gen_uint32(),gen_string( )], -    [msg_code('SSH_MSG_CHANNEL_EOF'),gen_uint32()], -    [msg_code('SSH_MSG_CHANNEL_EXTENDED_DATA'),gen_uint32(),gen_uint32(),gen_string( )], -    [msg_code('SSH_MSG_CHANNEL_FAILURE'),gen_uint32()], -    [msg_code('SSH_MSG_CHANNEL_OPEN'),gen_string("direct-tcpip"),gen_uint32(),gen_uint32(),gen_uint32(),gen_string( ),gen_uint32(),gen_string( ),gen_uint32()], -    [msg_code('SSH_MSG_CHANNEL_OPEN'),gen_string("forwarded-tcpip"),gen_uint32(),gen_uint32(),gen_uint32(),gen_string( ),gen_uint32(),gen_string( ),gen_uint32()], -    [msg_code('SSH_MSG_CHANNEL_OPEN'),gen_string("session"),gen_uint32(),gen_uint32(),gen_uint32()], -    [msg_code('SSH_MSG_CHANNEL_OPEN'),gen_string("x11"),gen_uint32(),gen_uint32(),gen_uint32(),gen_string( ),gen_uint32()], -    [msg_code('SSH_MSG_CHANNEL_OPEN'),gen_string( ),gen_uint32(),gen_uint32(),gen_uint32()], -    [msg_code('SSH_MSG_CHANNEL_OPEN_CONFIRMATION'),gen_uint32(),gen_uint32(),gen_uint32(),gen_uint32()], -    [msg_code('SSH_MSG_CHANNEL_OPEN_FAILURE'),gen_uint32(),gen_uint32(),gen_string( ),gen_string( )], -    [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string("env"),gen_boolean(),gen_string( ),gen_string( )], -    [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string("exec"),gen_boolean(),gen_string( )], -    [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string("exit-signal"),0,gen_string( ),gen_boolean(),gen_string( ),gen_string( )], -    [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string("exit-status"),0,gen_uint32()], -    [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string("pty-req"),gen_boolean(),gen_string( ),gen_uint32(),gen_uint32(),gen_uint32(),gen_uint32(),gen_string( )], -    [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string("shell"),gen_boolean()], -    [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string("signal"),0,gen_string( )], -    [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string("subsystem"),gen_boolean(),gen_string( )], -    [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string("window-change"),0,gen_uint32(),gen_uint32(),gen_uint32(),gen_uint32()], -    [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string("x11-req"),gen_boolean(),gen_boolean(),gen_string( ),gen_string( ),gen_uint32()], -    [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string("xon-xoff"),0,gen_boolean()], -    [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string( ),gen_boolean()], -    [msg_code('SSH_MSG_CHANNEL_SUCCESS'),gen_uint32()], -    [msg_code('SSH_MSG_CHANNEL_WINDOW_ADJUST'),gen_uint32(),gen_uint32()], -%%Assym    [msg_code('SSH_MSG_DEBUG'),gen_boolean(),gen_string( ),gen_string( )], -    [msg_code('SSH_MSG_DISCONNECT'),gen_uint32(),gen_string( ),gen_string( )], -%%Assym    [msg_code('SSH_MSG_GLOBAL_REQUEST'),gen_string("cancel-tcpip-forward"),gen_boolean(),gen_string( ),gen_uint32()], -%%Assym    [msg_code('SSH_MSG_GLOBAL_REQUEST'),gen_string("tcpip-forward"),gen_boolean(),gen_string( ),gen_uint32()], -%%Assym    [msg_code('SSH_MSG_GLOBAL_REQUEST'),gen_string( ),gen_boolean()], -    [msg_code('SSH_MSG_IGNORE'),gen_string( )], -    %% [msg_code('SSH_MSG_KEXDH_INIT'),gen_mpint()], -    %% [msg_code('SSH_MSG_KEXDH_REPLY'),gen_string( ),gen_mpint(),gen_string( )], -    %% [msg_code('SSH_MSG_KEXINIT'),gen_byte(16),gen_name_list(),gen_name_list(),gen_name_list(),gen_name_list(),gen_name_list(),gen_name_list(),gen_name_list(),gen_name_list(),gen_name_list(),gen_name_list(),gen_boolean(),gen_uint32()], -    [msg_code('SSH_MSG_KEX_DH_GEX_GROUP'),gen_mpint(),gen_mpint()], -    [msg_code('SSH_MSG_NEWKEYS')], -    [msg_code('SSH_MSG_REQUEST_FAILURE')], -    [msg_code('SSH_MSG_REQUEST_SUCCESS')], -    [msg_code('SSH_MSG_REQUEST_SUCCESS'),gen_uint32()], -    [msg_code('SSH_MSG_SERVICE_ACCEPT'),gen_string( )], -    [msg_code('SSH_MSG_SERVICE_REQUEST'),gen_string( )], -    [msg_code('SSH_MSG_UNIMPLEMENTED'),gen_uint32()], -    [msg_code('SSH_MSG_USERAUTH_BANNER'),gen_string( ),gen_string( )], -    [msg_code('SSH_MSG_USERAUTH_FAILURE'),gen_name_list(),gen_boolean()], -    [msg_code('SSH_MSG_USERAUTH_PASSWD_CHANGEREQ'),gen_string( ),gen_string( )], -    [msg_code('SSH_MSG_USERAUTH_PK_OK'),gen_string( ),gen_string( )], -    [msg_code('SSH_MSG_USERAUTH_SUCCESS')] -] - -), list_to_binary(M)). - - -%%%================================================================ -%%% -%%% Generator -%%%  - -do() ->  -    io_lib:format('[~s~n]', -		  [write_gen( -		     files(["rfc4254.txt",  -			    "rfc4253.txt",  -			    "rfc4419.txt", -			    "rfc4252.txt", -			    "rfc4256.txt"]))]). -     - -write_gen(L) when is_list(L) ->  -    string:join(lists:map(fun write_gen/1, L), ",\n    "); -write_gen({MsgName,Args}) ->  -    lists:flatten(["[",generate_args([MsgName|Args]),"]"]). -      -generate_args(As) -> string:join([generate_arg(A) || A <- As], ","). - -generate_arg({<<"string">>, <<"\"",B/binary>>}) ->  -    S = get_string($",B), -    ["gen_string(\"",S,"\")"]; -generate_arg({<<"string">>, _}) -> "gen_string( )"; -generate_arg({<<"byte[",B/binary>>, _}) ->  -    io_lib:format("gen_byte(~p)",[list_to_integer(get_string($],B))]); -generate_arg({<<"byte">>  ,_}) ->    "gen_byte()"; -generate_arg({<<"uint16">>,_}) ->    "gen_uint16()"; -generate_arg({<<"uint32">>,_}) ->    "gen_uint32()"; -generate_arg({<<"uint64">>,_}) ->    "gen_uint64()"; -generate_arg({<<"mpint">>,_}) ->     "gen_mpint()"; -generate_arg({<<"name-list">>,_}) -> "gen_name_list()"; -generate_arg({<<"boolean">>,<<"FALSE">>}) -> "0"; -generate_arg({<<"boolean">>,<<"TRUE">>}) ->  "1"; -generate_arg({<<"boolean">>,_}) -> "gen_boolean()"; -generate_arg({<<"....">>,_}) -> "";  %% FIXME -generate_arg(Name) when is_binary(Name) ->  -    lists:flatten(["msg_code('",binary_to_list(Name),"')"]). - +ssh_msg(<<"dh">>) -> +    ?LET(M,oneof( +	     [ +	      [msg_code('SSH_MSG_KEXDH_INIT'),gen_mpint()],  % 30 +	      [msg_code('SSH_MSG_KEXDH_REPLY'),gen_pubkey_string(rsa),gen_mpint(),gen_signature_string(rsa)] % 31 +	      | rest_ssh_msgs() +	     ]), +	 list_to_binary(M)); + +ssh_msg(<<"dh_gex">>) -> +    ?LET(M,oneof( +	     [ +	      [msg_code('SSH_MSG_KEX_DH_GEX_REQUEST_OLD'),gen_uint32()],  % 30 +	      [msg_code('SSH_MSG_KEX_DH_GEX_GROUP'),gen_mpint(),gen_mpint()]  % 31 +	      | rest_ssh_msgs() +	     ]), +	 list_to_binary(M)); + + ssh_msg(<<"ecdh">>) -> +     ?LET(M,oneof( + 	     [ + 	      [msg_code('SSH_MSG_KEX_ECDH_INIT'),gen_mpint()],   % 30 +	      [msg_code('SSH_MSG_KEX_ECDH_REPLY'),gen_pubkey_string(ecdsa),gen_mpint(),gen_signature_string(ecdsa)] % 31 +	      | rest_ssh_msgs() + 	     ]), +	 list_to_binary(M)). + + +rest_ssh_msgs() ->  +    [%%                    SSH_MSG_USERAUTH_INFO_RESPONSE +     %% hard args          SSH_MSG_USERAUTH_INFO_REQUEST +     %% rfc4252 p12 error  SSH_MSG_USERAUTH_REQUEST +     [msg_code('SSH_MSG_KEX_DH_GEX_REQUEST'),gen_uint32(),gen_uint32(),gen_uint32()], +     [msg_code('SSH_MSG_KEX_DH_GEX_INIT'),gen_mpint()], +     [msg_code('SSH_MSG_KEX_DH_GEX_REPLY'),gen_pubkey_string(rsa),gen_mpint(),gen_signature_string(rsa)], +     [msg_code('SSH_MSG_CHANNEL_CLOSE'),gen_uint32()], +     [msg_code('SSH_MSG_CHANNEL_DATA'),gen_uint32(),gen_string( )], +     [msg_code('SSH_MSG_CHANNEL_EOF'),gen_uint32()], +     [msg_code('SSH_MSG_CHANNEL_EXTENDED_DATA'),gen_uint32(),gen_uint32(),gen_string( )], +     [msg_code('SSH_MSG_CHANNEL_FAILURE'),gen_uint32()], +     [msg_code('SSH_MSG_CHANNEL_OPEN'),gen_string("direct-tcpip"),gen_uint32(),gen_uint32(),gen_uint32(),gen_string( ),gen_uint32(),gen_string( ),gen_uint32()], +     [msg_code('SSH_MSG_CHANNEL_OPEN'),gen_string("forwarded-tcpip"),gen_uint32(),gen_uint32(),gen_uint32(),gen_string( ),gen_uint32(),gen_string( ),gen_uint32()], +     [msg_code('SSH_MSG_CHANNEL_OPEN'),gen_string("session"),gen_uint32(),gen_uint32(),gen_uint32()], +     [msg_code('SSH_MSG_CHANNEL_OPEN'),gen_string("x11"),gen_uint32(),gen_uint32(),gen_uint32(),gen_string( ),gen_uint32()], +     [msg_code('SSH_MSG_CHANNEL_OPEN'),gen_string( ),gen_uint32(),gen_uint32(),gen_uint32()], +     [msg_code('SSH_MSG_CHANNEL_OPEN_CONFIRMATION'),gen_uint32(),gen_uint32(),gen_uint32(),gen_uint32()], +     [msg_code('SSH_MSG_CHANNEL_OPEN_FAILURE'),gen_uint32(),gen_uint32(),gen_string( ),gen_string( )], +     [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string("env"),gen_boolean(),gen_string( ),gen_string( )], +     [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string("exec"),gen_boolean(),gen_string( )], +     [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string("exit-signal"),0,gen_string( ),gen_boolean(),gen_string( ),gen_string( )], +     [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string("exit-status"),0,gen_uint32()], +     [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string("pty-req"),gen_boolean(),gen_string( ),gen_uint32(),gen_uint32(),gen_uint32(),gen_uint32(),gen_string( )], +     [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string("shell"),gen_boolean()], +     [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string("signal"),0,gen_string( )], +     [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string("subsystem"),gen_boolean(),gen_string( )], +     [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string("window-change"),0,gen_uint32(),gen_uint32(),gen_uint32(),gen_uint32()], +     [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string("x11-req"),gen_boolean(),gen_boolean(),gen_string( ),gen_string( ),gen_uint32()], +     [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string("xon-xoff"),0,gen_boolean()], +     [msg_code('SSH_MSG_CHANNEL_REQUEST'),gen_uint32(),gen_string( ),gen_boolean()], +     [msg_code('SSH_MSG_CHANNEL_SUCCESS'),gen_uint32()], +     [msg_code('SSH_MSG_CHANNEL_WINDOW_ADJUST'),gen_uint32(),gen_uint32()], +     [msg_code('SSH_MSG_DEBUG'),gen_boolean(),gen_string( ),gen_string( )], +     [msg_code('SSH_MSG_DISCONNECT'),gen_uint32(),gen_string( ),gen_string( )], +     [msg_code('SSH_MSG_GLOBAL_REQUEST'),gen_string("cancel-tcpip-forward"),gen_boolean(),gen_string( ),gen_uint32()], +     [msg_code('SSH_MSG_GLOBAL_REQUEST'),gen_string("tcpip-forward"),gen_boolean(),gen_string( ),gen_uint32()], +     [msg_code('SSH_MSG_GLOBAL_REQUEST'),gen_string( ),gen_boolean()], +     [msg_code('SSH_MSG_IGNORE'),gen_string( )], +     [msg_code('SSH_MSG_KEXINIT'),gen_byte(16),gen_name_list(),gen_name_list(),gen_name_list(),gen_name_list(),gen_name_list(),gen_name_list(),gen_name_list(),gen_name_list(),gen_name_list(),gen_name_list(),gen_boolean(),gen_uint32()], +     [msg_code('SSH_MSG_NEWKEYS')], +     [msg_code('SSH_MSG_REQUEST_FAILURE')], +     [msg_code('SSH_MSG_REQUEST_SUCCESS')], +     [msg_code('SSH_MSG_REQUEST_SUCCESS'),gen_uint32()], +     [msg_code('SSH_MSG_SERVICE_ACCEPT'),gen_string( )], +     [msg_code('SSH_MSG_SERVICE_REQUEST'),gen_string( )], +     [msg_code('SSH_MSG_UNIMPLEMENTED'),gen_uint32()], +     [msg_code('SSH_MSG_USERAUTH_BANNER'),gen_string( ),gen_string( )], +     [msg_code('SSH_MSG_USERAUTH_FAILURE'),gen_name_list(),gen_boolean()], +     [msg_code('SSH_MSG_USERAUTH_PASSWD_CHANGEREQ'),gen_string( ),gen_string( )], +     [msg_code('SSH_MSG_USERAUTH_PK_OK'),gen_string( ),gen_string( )], +     [msg_code('SSH_MSG_USERAUTH_SUCCESS')] +    ]. + +kex_family() -> oneof([<<"dh">>, <<"dh_gex">>, <<"ecdh">>]).  gen_boolean() -> choose(0,1). @@ -230,13 +212,22 @@ gen_name() -> gen_string().  uint32_to_list(I) ->  binary_to_list(<<I:32/unsigned-big-integer>>). -%%%---- -get_string(Delim, B) ->  -    binary_to_list( element(1, split_binary(B, count_string_chars(Delim,B,0))) ). - -count_string_chars(Delim, <<Delim,_/binary>>, Acc) -> Acc; -count_string_chars(Delim, <<_,B/binary>>, Acc) -> count_string_chars(Delim, B, Acc+1). +gen_pubkey_string(Type) -> +    PubKey = case Type of +		 rsa -> #'RSAPublicKey'{modulus = 12345,publicExponent = 2}; +		 ecdsa -> {#'ECPoint'{point=[1,2,3,4,5]}, +			   {namedCurve,{1,2,840,10045,3,1,7}}} % 'secp256r1' nistp256 +	     end, +    gen_string(public_key:ssh_encode(PubKey, ssh2_pubkey)). +     +gen_signature_string(Type) -> +    Signature = <<"hejhopp">>, +    Id = case Type of +	     rsa -> "ssh-rsa"; +	     ecdsa -> "ecdsa-sha2-nistp256" +	 end, +    gen_string(gen_string(Id) ++ gen_string(Signature)).  -define(MSG_CODE(Name,Num),  msg_code(Name) -> Num; @@ -273,124 +264,34 @@ msg_code(Num) -> Name  ?MSG_CODE('SSH_MSG_CHANNEL_FAILURE',   100);  ?MSG_CODE('SSH_MSG_USERAUTH_INFO_REQUEST',   60);  ?MSG_CODE('SSH_MSG_USERAUTH_INFO_RESPONSE',   61); +?MSG_CODE('SSH_MSG_KEXDH_INIT', 30); +?MSG_CODE('SSH_MSG_KEXDH_REPLY', 31);  ?MSG_CODE('SSH_MSG_KEX_DH_GEX_REQUEST_OLD',   30);  ?MSG_CODE('SSH_MSG_KEX_DH_GEX_REQUEST',   34);  ?MSG_CODE('SSH_MSG_KEX_DH_GEX_GROUP',   31);  ?MSG_CODE('SSH_MSG_KEX_DH_GEX_INIT',   32); -?MSG_CODE('SSH_MSG_KEX_DH_GEX_REPLY', 33). - -%%%============================================================================= -%%%============================================================================= -%%%============================================================================= - -files(Fs) -> -    Defs = lists:usort(lists:flatten(lists:map(fun file/1, Fs))), -    DefinedIDs = lists:usort([binary_to_list(element(1,D)) || D <- Defs]), -    WantedIDs = lists:usort(wanted_messages()), -    Missing = WantedIDs -- DefinedIDs, -    case Missing of -	[] -> ok; -	_ -> io:format('%% Warning: missing ~p~n', [Missing]) -    end, -    Defs. -	     - -file(F) -> -    {ok,B} = file:read_file(F), -    hunt_msg_def(B). - - -hunt_msg_def(<<"\n",B/binary>>) -> some_hope(skip_blanks(B)); -hunt_msg_def(<<_, B/binary>>) -> hunt_msg_def(B); -hunt_msg_def(<<>>) -> []. -     -some_hope(<<"byte ", B/binary>>) -> try_message(skip_blanks(B)); -some_hope(B) -> hunt_msg_def(B). -     -try_message(B = <<"SSH_MSG_",_/binary>>) -> -    {ID,Rest} = get_id(B), -    case lists:member(binary_to_list(ID), wanted_messages()) of -	true -> -	    {Lines,More} = get_def_lines(skip_blanks(Rest), []), -	    [{ID,lists:reverse(Lines)} | hunt_msg_def(More)]; -	false -> -	    hunt_msg_def(Rest) -    end; -try_message(B) -> hunt_msg_def(B). -     - -skip_blanks(<<32, B/binary>>) -> skip_blanks(B); -skip_blanks(<< 9, B/binary>>) -> skip_blanks(B); -skip_blanks(B) -> B. - -get_def_lines(B0 = <<"\n",B/binary>>, Acc) -> -    {ID,Rest} = get_id(skip_blanks(B)), -    case {size(ID), skip_blanks(Rest)} of -	{0,<<"....",More/binary>>} -> -	    {Text,LineEnd} = get_to_eol(skip_blanks(More)), -	    get_def_lines(LineEnd, [{<<"....">>,Text}|Acc]); -	{0,_} -> -	    {Acc,B0}; -	{_,Rest1} ->  -	    {Text,LineEnd} = get_to_eol(Rest1), -	    get_def_lines(LineEnd, [{ID,Text}|Acc]) -    end; -get_def_lines(B, Acc) ->  -    {Acc,B}. -     - -get_to_eol(B) -> split_binary(B, count_to_eol(B,0)). - -count_to_eol(<<"\n",_/binary>>, Acc) -> Acc; -count_to_eol(<<>>, Acc) -> Acc; -count_to_eol(<<_,B/binary>>, Acc) -> count_to_eol(B,Acc+1). -     - -get_id(B) -> split_binary(B, count_id_chars(B,0)). -     -count_id_chars(<<C,B/binary>>, Acc) when $A=<C,C=<$Z -> count_id_chars(B,Acc+1); -count_id_chars(<<C,B/binary>>, Acc) when $a=<C,C=<$z -> count_id_chars(B,Acc+1); -count_id_chars(<<C,B/binary>>, Acc) when $0=<C,C=<$9 -> count_id_chars(B,Acc+1); -count_id_chars(<<"_",B/binary>>, Acc)  ->  count_id_chars(B,Acc+1); -count_id_chars(<<"-",B/binary>>, Acc)  ->  count_id_chars(B,Acc+1); %% e.g name-list -count_id_chars(<<"[",B/binary>>, Acc)  ->  count_id_chars(B,Acc+1); %% e.g byte[16] -count_id_chars(<<"]",B/binary>>, Acc)  ->  count_id_chars(B,Acc+1); %% e.g byte[16] -count_id_chars(_, Acc) -> Acc. - -wanted_messages() -> -    ["SSH_MSG_CHANNEL_CLOSE", -     "SSH_MSG_CHANNEL_DATA", -     "SSH_MSG_CHANNEL_EOF", -     "SSH_MSG_CHANNEL_EXTENDED_DATA", -     "SSH_MSG_CHANNEL_FAILURE", -     "SSH_MSG_CHANNEL_OPEN", -     "SSH_MSG_CHANNEL_OPEN_CONFIRMATION", -     "SSH_MSG_CHANNEL_OPEN_FAILURE", -     "SSH_MSG_CHANNEL_REQUEST", -     "SSH_MSG_CHANNEL_SUCCESS", -     "SSH_MSG_CHANNEL_WINDOW_ADJUST", -     "SSH_MSG_DEBUG", -     "SSH_MSG_DISCONNECT", -     "SSH_MSG_GLOBAL_REQUEST", -     "SSH_MSG_IGNORE", -     "SSH_MSG_KEXDH_INIT", -     "SSH_MSG_KEXDH_REPLY", -     "SSH_MSG_KEXINIT", -     "SSH_MSG_KEX_DH_GEX_GROUP", -     "SSH_MSG_KEX_DH_GEX_REQUEST", -     "SSH_MSG_KEX_DH_GEX_REQUEST_OLD", -     "SSH_MSG_NEWKEYS", -     "SSH_MSG_REQUEST_FAILURE", -     "SSH_MSG_REQUEST_SUCCESS", -     "SSH_MSG_SERVICE_ACCEPT", -     "SSH_MSG_SERVICE_REQUEST", -     "SSH_MSG_UNIMPLEMENTED", -     "SSH_MSG_USERAUTH_BANNER", -     "SSH_MSG_USERAUTH_FAILURE", -%% hard args    "SSH_MSG_USERAUTH_INFO_REQUEST", -%%     "SSH_MSG_USERAUTH_INFO_RESPONSE", -     "SSH_MSG_USERAUTH_PASSWD_CHANGEREQ", -     "SSH_MSG_USERAUTH_PK_OK", -%%rfc4252 p12 error      "SSH_MSG_USERAUTH_REQUEST", -     "SSH_MSG_USERAUTH_SUCCESS"]. +?MSG_CODE('SSH_MSG_KEX_DH_GEX_REPLY', 33); +?MSG_CODE('SSH_MSG_KEX_ECDH_INIT', 30); +?MSG_CODE('SSH_MSG_KEX_ECDH_REPLY', 31). + +%%%==================================================== +%%%=== WARNING: Knowledge of the test object ahead! === +%%%==================================================== + +%% SSH message records: +-include_lib("ssh/src/ssh_connect.hrl"). +-include_lib("ssh/src/ssh_transport.hrl"). + +%%% Encoding and decodeing is asymetric so out=binary in=string. Sometimes. :( +fix_asym(#ssh_msg_global_request{name=N} = M) -> M#ssh_msg_global_request{name = binary_to_list(N)}; +fix_asym(#ssh_msg_debug{message=D,language=L} = M) -> M#ssh_msg_debug{message = binary_to_list(D), +								      language = binary_to_list(L)}; +fix_asym(#ssh_msg_kexinit{cookie=C} = M) -> M#ssh_msg_kexinit{cookie = <<C:128>>}; +fix_asym(M) -> M. + +%%% Message codes 30 and 31 are overloaded depending on kex family so arrange the decoder +%%% input as the test object does +decode_state(<<30,_/binary>>=Msg, KexFam) -> <<KexFam/binary, Msg/binary>>; +decode_state(<<31,_/binary>>=Msg, KexFam) -> <<KexFam/binary, Msg/binary>>; +decode_state(Msg, _) -> Msg. diff --git a/lib/ssh/test/ssh_algorithms_SUITE.erl b/lib/ssh/test/ssh_algorithms_SUITE.erl index 8b2db0e1a8..14605ee44f 100644 --- a/lib/ssh/test/ssh_algorithms_SUITE.erl +++ b/lib/ssh/test/ssh_algorithms_SUITE.erl @@ -198,7 +198,7 @@ try_exec_simple_group(Group, Config) ->  %%--------------------------------------------------------------------  %% Testing all default groups -simple_exec_groups() -> [{timetrap,{minutes,5}}]. +simple_exec_groups() -> [{timetrap,{minutes,8}}].  simple_exec_groups(Config) ->      Sizes = interpolate( public_key:dh_gex_group_sizes() ), @@ -206,10 +206,8 @@ simple_exec_groups(Config) ->        fun(Sz) ->  	      ct:log("Try size ~p",[Sz]),  	      ct:comment(Sz), -	      case simple_exec_group(Sz, Config) of -		  expected -> ct:log("Size ~p ok",[Sz]); -		  _ -> ct:log("Size ~p not ok",[Sz]) -	      end +	      simple_exec_group(Sz, Config), +	      ct:log("Size ~p ok",[Sz])        end, Sizes),      ct:comment("~p",[lists:map(fun({_,I,_}) -> I;  				  (I) -> I diff --git a/lib/ssh/test/ssh_options_SUITE.erl b/lib/ssh/test/ssh_options_SUITE.erl index 8f060bebd8..86f5cb1746 100644 --- a/lib/ssh/test/ssh_options_SUITE.erl +++ b/lib/ssh/test/ssh_options_SUITE.erl @@ -831,10 +831,13 @@ supported_hash(HashAlg) ->  really_do_hostkey_fingerprint_check(Config, HashAlg) ->      PrivDir = proplists:get_value(priv_dir, Config), -    UserDir = filename:join(PrivDir, nopubkey), % to make sure we don't use public-key-auth -    file:make_dir(UserDir), +    UserDirServer = filename:join(PrivDir, nopubkey), % to make sure we don't use public-key-auth +    file:make_dir(UserDirServer),      SysDir = proplists:get_value(data_dir, Config), +    UserDirClient =  +	ssh_test_lib:create_random_dir(Config), % Ensure no 'known_hosts' disturbs +      %% All host key fingerprints.  Trust that public_key has checked the ssh_hostkey_fingerprint      %% function since that function is used by the ssh client...      FPs = [case HashAlg of @@ -857,7 +860,7 @@ really_do_hostkey_fingerprint_check(Config, HashAlg) ->      %% Start daemon with the public keys that we got fingerprints from      {Pid, Host, Port} = ssh_test_lib:daemon([{system_dir, SysDir}, -					     {user_dir, UserDir}, +					     {user_dir, UserDirServer},  					     {password, "morot"}]),      FP_check_fun = fun(PeerName, FP) -> @@ -876,7 +879,7 @@ really_do_hostkey_fingerprint_check(Config, HashAlg) ->  				       end},  				      {user, "foo"},  				      {password, "morot"}, -				      {user_dir, UserDir}, +				      {user_dir, UserDirClient},  				      {user_interaction, false}]),      ssh:stop_daemon(Pid). diff --git a/lib/ssh/test/ssh_property_test_SUITE.erl b/lib/ssh/test/ssh_property_test_SUITE.erl index 7ba2732a88..9b2a84d8e4 100644 --- a/lib/ssh/test/ssh_property_test_SUITE.erl +++ b/lib/ssh/test/ssh_property_test_SUITE.erl @@ -68,9 +68,6 @@ init_per_group(_, Config) ->  end_per_group(_, Config) ->      Config. -%%% Always skip the testcase that is not quite in phase with the -%%% ssh_message.erl code -init_per_testcase(decode_encode, _) -> {skip, "Fails - testcase is not ok"};  init_per_testcase(_TestCase, Config) -> Config.  end_per_testcase(_TestCase, Config) -> Config. diff --git a/lib/ssh/test/ssh_sftp_SUITE.erl b/lib/ssh/test/ssh_sftp_SUITE.erl index 70662f5d93..acf76157a2 100644 --- a/lib/ssh/test/ssh_sftp_SUITE.erl +++ b/lib/ssh/test/ssh_sftp_SUITE.erl @@ -1038,7 +1038,7 @@ oldprep(Config) ->  prepare(Config0) ->      PrivDir = proplists:get_value(priv_dir, Config0), -    Dir = filename:join(PrivDir, random_chars(10)), +    Dir = filename:join(PrivDir, ssh_test_lib:random_chars(10)),      file:make_dir(Dir),      Keys = [filename,  	    testfile, @@ -1058,8 +1058,6 @@ prepare(Config0) ->      [{sftp_priv_dir,Dir} | Config2]. -random_chars(N) -> [crypto:rand_uniform($a,$z) || _<-lists:duplicate(N,x)]. -  foldl_keydelete(Keys, L) ->      lists:foldl(fun(K,E) -> lists:keydelete(K,1,E) end,   		L, diff --git a/lib/ssh/test/ssh_test_lib.erl b/lib/ssh/test/ssh_test_lib.erl index f93237f3e7..286ac6e882 100644 --- a/lib/ssh/test/ssh_test_lib.erl +++ b/lib/ssh/test/ssh_test_lib.erl @@ -113,19 +113,27 @@ std_simple_exec(Host, Port, Config) ->      std_simple_exec(Host, Port, Config, []).  std_simple_exec(Host, Port, Config, Opts) -> +    ct:log("~p:~p std_simple_exec",[?MODULE,?LINE]),      ConnectionRef = ssh_test_lib:std_connect(Config, Host, Port, Opts), +    ct:log("~p:~p connected! ~p",[?MODULE,?LINE,ConnectionRef]),      {ok, ChannelId} = ssh_connection:session_channel(ConnectionRef, infinity), -    success = ssh_connection:exec(ConnectionRef, ChannelId, "23+21-2.", infinity), -    Data = {ssh_cm, ConnectionRef, {data, ChannelId, 0, <<"42\n">>}}, -    case ssh_test_lib:receive_exec_result(Data) of -	expected -> -	    ok; -	Other -> -	    ct:fail(Other) -    end, -    ssh_test_lib:receive_exec_end(ConnectionRef, ChannelId), -    ssh:close(ConnectionRef). - +    ct:log("~p:~p session_channel ok ~p",[?MODULE,?LINE,ChannelId]), +    ExecResult = ssh_connection:exec(ConnectionRef, ChannelId, "23+21-2.", infinity), +    ct:log("~p:~p exec ~p",[?MODULE,?LINE,ExecResult]), +    case ExecResult of +	success -> +	    Expected = {ssh_cm, ConnectionRef, {data,ChannelId,0,<<"42\n">>}}, +	    case receive_exec_result(Expected) of +		expected -> +		    ok; +		Other -> +		    ct:fail(Other) +	    end, +	    receive_exec_end(ConnectionRef, ChannelId), +	    ssh:close(ConnectionRef); +	_ -> +	    ct:fail(ExecResult) +    end.  start_shell(Port, IOServer) ->      start_shell(Port, IOServer, []). @@ -834,3 +842,20 @@ get_kex_init(Conn, Ref, TRef) ->  	    end      end. +%%%---------------------------------------------------------------- +%%% Return a string with N random characters +%%% +random_chars(N) -> [crypto:rand_uniform($a,$z) || _<-lists:duplicate(N,x)]. + + +create_random_dir(Config) -> +    PrivDir = proplists:get_value(priv_dir, Config), +    Name = filename:join(PrivDir, random_chars(15)), +    case file:make_dir(Name) of +	ok ->  +	    Name; +	{error,eexist} -> +	    %% The Name already denotes an existing file system object, try again. +	    %% The likelyhood of always generating an existing file name is low +	    create_random_dir(Config) +    end. diff --git a/lib/ssh/test/ssh_upgrade_SUITE.erl b/lib/ssh/test/ssh_upgrade_SUITE.erl index b5b27c369a..7b9b109fa1 100644 --- a/lib/ssh/test/ssh_upgrade_SUITE.erl +++ b/lib/ssh/test/ssh_upgrade_SUITE.erl @@ -199,6 +199,4 @@ close(#state{server = Server,  		connection = undefined}. -random_contents() -> list_to_binary( random_chars(3) ). - -random_chars(N) -> [crypto:rand_uniform($a,$z) || _<-lists:duplicate(N,x)]. +random_contents() -> list_to_binary( ssh_test_lib:random_chars(3) ). diff --git a/lib/ssl/src/ssl_connection.erl b/lib/ssl/src/ssl_connection.erl index 6e7c8c5ddd..6ed2fc83da 100644 --- a/lib/ssl/src/ssl_connection.erl +++ b/lib/ssl/src/ssl_connection.erl @@ -864,11 +864,11 @@ handle_call({close, {Pid, Timeout}}, From, StateName, State0, Connection) when i      %% When downgrading an TLS connection to a transport connection      %% we must recive the close alert from the peer before releasing the       %% transport socket. -    {next_state, downgrade, State, [{timeout, Timeout, downgrade}]}; +    {next_state, downgrade, State#state{terminated = true}, [{timeout, Timeout, downgrade}]};  handle_call({close, _} = Close, From, StateName, State, Connection) ->      %% Run terminate before returning so that the reuseaddr -    %% inet-option  -    Result = Connection:terminate(Close, StateName, State), +    %% inet-option works properly +    Result = Connection:terminate(Close, StateName, State#state{terminated = true}),      {stop_and_reply, {shutdown, normal},         {reply, From, Result}, State};  handle_call({shutdown, How0}, From, _, @@ -1010,7 +1010,10 @@ handle_info(Msg, StateName, #state{socket = Socket, error_tag = Tag} = State) ->  terminate(_, _, #state{terminated = true}) ->      %% Happens when user closes the connection using ssl:close/1      %% we want to guarantee that Transport:close has been called -    %% when ssl:close/1 returns. +    %% when ssl:close/1 returns unless it is a downgrade where +    %% we want to guarantee that close alert is recived before  +    %% returning. In both cases terminate has been run manually +    %% before run by gen_statem which will end up here      ok;  terminate({shutdown, transport_closed} = Reason,  diff --git a/lib/stdlib/src/escript.erl b/lib/stdlib/src/escript.erl index 7f5ef4df42..c42ae981e7 100644 --- a/lib/stdlib/src/escript.erl +++ b/lib/stdlib/src/escript.erl @@ -481,46 +481,49 @@ find_first_body_line(Fd, HeaderSz0, LineNo, KeepFirst, Sections) ->      %% Look for special comment on second line      Line2 = get_line(Fd),      {ok, HeaderSz2} = file:position(Fd, cur), -    case classify_line(Line2) of -	emu_args -> -	    %% Skip special comment on second line -	    Line3 = get_line(Fd), -	    {HeaderSz2, LineNo + 2, Fd, -	     Sections#sections{type = guess_type(Line3), -			       comment = undefined, -			       emu_args = Line2}}; -	Line2Type -> -	    %% Look for special comment on third line -	    Line3 = get_line(Fd), -	    {ok, HeaderSz3} = file:position(Fd, cur), -	    Line3Type = classify_line(Line3), -	    if -		Line3Type =:= emu_args -> -		    %% Skip special comment on third line -		    Line4 = get_line(Fd), -		    {HeaderSz3, LineNo + 3, Fd, -		     Sections#sections{type = guess_type(Line4), -				       comment = Line2, -				       emu_args = Line3}}; -		Sections#sections.shebang =:= undefined, -		KeepFirst =:= true -> -		    %% No shebang. Use the entire file -		    {HeaderSz0, LineNo, Fd, -		     Sections#sections{type = guess_type(Line2)}}; -		Sections#sections.shebang =:= undefined -> -		    %% No shebang. Skip the first line -		    {HeaderSz1, LineNo, Fd, -		     Sections#sections{type = guess_type(Line2)}}; -		Line2Type =:= comment -> -		    %% Skip shebang on first line and comment on second -		    {HeaderSz2, LineNo + 2, Fd, -		     Sections#sections{type = guess_type(Line3), -				       comment = Line2}}; -		true -> -		    %% Just skip shebang on first line -		    {HeaderSz1, LineNo + 1, Fd, -		     Sections#sections{type = guess_type(Line2)}} -	    end +    if +        Sections#sections.shebang =:= undefined, +        KeepFirst =:= true -> +            %% No shebang. Use the entire file +            {HeaderSz0, LineNo, Fd, +             Sections#sections{type = guess_type(Line2)}}; +        Sections#sections.shebang =:= undefined -> +            %% No shebang. Skip the first line +            {HeaderSz1, LineNo, Fd, +             Sections#sections{type = guess_type(Line2)}}; +        true -> +            case classify_line(Line2) of +                emu_args -> +                    %% Skip special comment on second line +                    Line3 = get_line(Fd), +                    {HeaderSz2, LineNo + 2, Fd, +                     Sections#sections{type = guess_type(Line3), +                                       comment = undefined, +                                       emu_args = Line2}}; +                comment -> +                    %% Look for special comment on third line +                    Line3 = get_line(Fd), +                    {ok, HeaderSz3} = file:position(Fd, cur), +                    Line3Type = classify_line(Line3), +                    if +                        Line3Type =:= emu_args -> +                            %% Skip special comment on third line +                            Line4 = get_line(Fd), +                            {HeaderSz3, LineNo + 3, Fd, +                             Sections#sections{type = guess_type(Line4), +                                               comment = Line2, +                                               emu_args = Line3}}; +                        true -> +                            %% Skip shebang on first line and comment on second +                            {HeaderSz2, LineNo + 2, Fd, +                             Sections#sections{type = guess_type(Line3), +                                               comment = Line2}} +                    end; +                _ -> +                    %% Just skip shebang on first line +                    {HeaderSz1, LineNo + 1, Fd, +                     Sections#sections{type = guess_type(Line2)}} +            end      end.  classify_line(Line) -> diff --git a/lib/stdlib/test/escript_SUITE.erl b/lib/stdlib/test/escript_SUITE.erl index 28d69232a0..0b9106a99c 100644 --- a/lib/stdlib/test/escript_SUITE.erl +++ b/lib/stdlib/test/escript_SUITE.erl @@ -28,6 +28,7 @@  	 strange_name/1,  	 emulator_flags/1,  	 emulator_flags_no_shebang/1, +	 two_lines/1,  	 module_script/1,  	 beam_script/1,  	 archive_script/1, @@ -49,7 +50,7 @@ suite() ->  all() ->       [basic, errors, strange_name, emulator_flags, -     emulator_flags_no_shebang, +     emulator_flags_no_shebang, two_lines,       module_script, beam_script, archive_script, epp,       create_and_extract, foldl, overflow,       archive_script_file_access, unicode]. @@ -153,6 +154,18 @@ emulator_flags(Config) when is_list(Config) ->  %%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% +two_lines(Config) when is_list(Config) -> +    Data = proplists:get_value(data_dir, Config), +    Dir = filename:absname(Data),		%Get rid of trailing slash. +    run(Dir, "two_lines -arg1 arg2 arg3", +	[<<"main:[\"-arg1\",\"arg2\",\"arg3\"]\n" +	   "ERL_FLAGS=false\n" +	   "unknown:[]\n" +	   "ExitCode:0">>]), +    ok. + +%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% +  emulator_flags_no_shebang(Config) when is_list(Config) ->      Data = proplists:get_value(data_dir, Config),      Dir = filename:absname(Data),		%Get rid of trailing slash. diff --git a/lib/stdlib/test/escript_SUITE_data/two_lines b/lib/stdlib/test/escript_SUITE_data/two_lines new file mode 100755 index 0000000000..cf4e99639c --- /dev/null +++ b/lib/stdlib/test/escript_SUITE_data/two_lines @@ -0,0 +1,2 @@ +#! /usr/bin/env escript +main(MainArgs) -> io:format("main:~p\n", [MainArgs]), ErlArgs = init:get_arguments(), io:format("ERL_FLAGS=~p\n", [os:getenv("ERL_FLAGS")]), io:format("unknown:~p\n",[[E || E <- ErlArgs, element(1, E) =:= unknown]]). diff --git a/lib/stdlib/test/shell_SUITE.erl b/lib/stdlib/test/shell_SUITE.erl index c409a6949b..80585ca359 100644 --- a/lib/stdlib/test/shell_SUITE.erl +++ b/lib/stdlib/test/shell_SUITE.erl @@ -2325,7 +2325,7 @@ otp_6554(Config) when is_list(Config) ->  			  "[unproper | list]).">>),  	    %% Cheating:  	    "exception error: no function clause matching " -		"erl_eval:do_apply(4)" ++ _ = +		"shell:apply_fun(4)" ++ _ =  		comm_err(<<"erlang:error(function_clause, [4]).">>),  		"exception error: no function clause matching "  		"lists:reverse(" ++ _ = diff --git a/scripts/run-smoke-tests b/scripts/run-smoke-tests new file mode 100755 index 0000000000..c2333e7825 --- /dev/null +++ b/scripts/run-smoke-tests @@ -0,0 +1,10 @@ +#!/bin/bash +set -ev + +cd $ERL_TOP/release/tests/test_server +$ERL_TOP/bin/erl -s ts install -s ts smoke_test batch -s init stop + +if grep -q '=failed *[1-9]' ct_run.test_server@*/*/run.*/suite.log; then +    echo "One or more tests failed." +    exit 1 +fi diff --git a/system/doc/efficiency_guide/advanced.xml b/system/doc/efficiency_guide/advanced.xml index eee2648f34..e1760d0ded 100644 --- a/system/doc/efficiency_guide/advanced.xml +++ b/system/doc/efficiency_guide/advanced.xml @@ -87,15 +87,15 @@        </row>        <row>          <cell>Small Map</cell> -        <cell>4 words + 2 words per entry (key and value) + the size of each key and value pair.</cell> +        <cell>5 words + the size of all keys and values.</cell>        </row>        <row> -        <cell>Large Map</cell> +        <cell>Large Map (> 32 keys)</cell>          <cell> -            At least, 2 words + 2 x <c>N</c> words + 2 x log16(<c>N</c>) words + -            the size of each key and value pair, where <c>N</c> is the number of pairs in the Map. -            A large Map is represented as a tree internally where each node in the tree is a -            "sparse tuple" of arity 16. +            <c>N</c> x <c>F</c> words + the size of all keys and values.<br></br> +            <c>N</c> is the number of keys in the Map.<br></br> +            <c>F</c> is a sparsity factor that can vary between 1.6 and 1.8 +            due to the probabilistic nature of the internal HAMT data structure.          </cell>        </row>        <row> diff --git a/system/doc/reference_manual/typespec.xml b/system/doc/reference_manual/typespec.xml index ced584ed35..a0ea41cb3b 100644 --- a/system/doc/reference_manual/typespec.xml +++ b/system/doc/reference_manual/typespec.xml @@ -11,7 +11,7 @@        Licensed under the Apache License, Version 2.0 (the "License");        you may not use this file except in compliance with the License.        You may obtain a copy of the License at -  +            http://www.apache.org/licenses/LICENSE-2.0        Unless required by applicable law or agreed to in writing, software @@ -63,7 +63,7 @@        Types consist of, and are built from, a set of predefined types,        for example, <c>integer()</c>, <c>atom()</c>, and <c>pid()</c>.        Predefined types represent a typically infinite set of Erlang terms that -      belong to this type.  For example, the type <c>atom()</c> stands for the +      belong to this type.  For example, the type <c>atom()</c> denotes the        set of all Erlang atoms.      </p>      <p> @@ -131,19 +131,19 @@          | nonempty_improper_list(Type1, Type2) %% Type1 and Type2 as above          | nonempty_list(Type)                  %% Proper non-empty list -  Map :: map()                                 %% stands for a map of any size -       | #{}                                   %% stands for the empty map +  Map :: map()                                 %% denotes a map of any size +       | #{}                                   %% denotes the empty map         | #{PairList} -  Tuple :: tuple()                             %% stands for a tuple of any size +  Tuple :: tuple()                             %% denotes a tuple of any size           | {}           | {TList}    PairList :: Pair              | Pair, PairList -  Pair :: Type := Type                         %% denotes a pair that must be present -        | Type => Type +  Pair :: Type := Type                         %% denotes a mandatory pair +        | Type => Type                         %% denotes an optional pair    TList :: Type           | Type, TList @@ -161,7 +161,7 @@      that <c>M</c> or <c>N</c>, or both, are zero.    </p>    <p> -    Because lists are commonly used, they have shorthand type notations.  +    Because lists are commonly used, they have shorthand type notations.      The types <c>list(T)</c> and <c>nonempty_list(T)</c> have the shorthands      <c>[T]</c> and <c>[T,...]</c>, respectively.      The only difference between the two shorthands is that <c>[T]</c> can be an @@ -169,14 +169,18 @@    </p>    <p>      Notice that the shorthand for <c>list()</c>, that is, the list of -    elements of unknown type, is <c>[_]</c> (or <c>[any()]</c>), not <c>[]</c>.  +    elements of unknown type, is <c>[_]</c> (or <c>[any()]</c>), not <c>[]</c>.      The notation <c>[]</c> specifies the singleton type for the empty list.    </p>    <p>      The general form of maps is <c>#{PairList}</c>. The key types in      <c>PairList</c> are allowed to overlap, and if they do, the      leftmost pair takes precedence. A map pair has a key in -    <c>PairList</c> if it belongs to this type. +    <c>PairList</c> if it belongs to this type. A <c>PairList</c> may contain +    both 'mandatory' and 'optional' pairs where 'mandatory' denotes that +    a key type, and its associated value type, must be present. +    In the case of an 'optional' pair it is not required for the key type to +    be present.    </p>    <p>      Notice that the syntactic representation of <c>map()</c> is @@ -184,8 +188,8 @@      The notation <c>#{}</c> specifies the singleton type for the empty map.    </p>    <p> -    For convenience, the following types are also built-in.  -    They can be thought as predefined aliases for the type unions also shown in  +    For convenience, the following types are also built-in. +    They can be thought as predefined aliases for the type unions also shown in      the table.    </p>    <table> @@ -201,37 +205,37 @@      <row>        <cell><c>bitstring()</c></cell><cell><c><<_:_*1>></c></cell>      </row> -    <row>  +    <row>        <cell><c>boolean()</c></cell><cell><c>'false' | 'true'</c></cell>      </row> -    <row>  +    <row>        <cell><c>byte()</c></cell><cell><c>0..255</c></cell>      </row>      <row>        <cell><c>char()</c></cell><cell><c>0..16#10ffff</c></cell>      </row> -    <row>  +    <row>        <cell><c>nil()</c></cell><cell><c>[]</c></cell>      </row>      <row>        <cell><c>number()</c></cell><cell><c>integer() | float()</c></cell>      </row> -    <row>  +    <row>        <cell><c>list()</c></cell><cell><c>[any()]</c></cell>      </row> -    <row>  +    <row>        <cell><c>maybe_improper_list()</c></cell><cell><c>maybe_improper_list(any(), any())</c></cell>      </row> -    <row>  +    <row>        <cell><c>nonempty_list()</c></cell><cell><c>nonempty_list(any())</c></cell>      </row>      <row>        <cell><c>string()</c></cell><cell><c>[char()]</c></cell>      </row> -    <row>  +    <row>        <cell><c>nonempty_string()</c></cell><cell><c>[char(),...]</c></cell>      </row> -    <row>  +    <row>        <cell><c>iodata()</c></cell><cell><c>iolist() | binary()</c></cell>      </row>      <row> @@ -243,7 +247,7 @@      <row>        <cell><c>module()</c></cell><cell><c>atom()</c></cell>      </row> -    <row>  +    <row>        <cell><c>mfa()</c></cell><cell><c>{module(),atom(),arity()}</c></cell>      </row>      <row> @@ -259,7 +263,7 @@        <cell><c>timeout()</c></cell><cell><c>'infinity' | non_neg_integer()</c></cell>      </row>      <row> -      <cell><c>no_return()</c></cell><cell><c>none()</c></cell>  +      <cell><c>no_return()</c></cell><cell><c>none()</c></cell>      </row>      <tcaption>Built-in types, predefined aliases</tcaption>    </table> @@ -284,11 +288,11 @@      </row>      <tcaption>Additional built-in types</tcaption>    </table> -   +    <p>      Users are not allowed to define types with the same names as the      predefined or built-in ones. This is checked by the compiler and -    its violation results in a compilation error.  +    its violation results in a compilation error.    </p>    <note>      <p> @@ -394,13 +398,13 @@      <pre>    -record(rec, {field1 :: Type1, field2, field3 :: Type3}).</pre>      <p> -      For fields without type annotations, their type defaults to any().  +      For fields without type annotations, their type defaults to any().        That is, the previous example is a shorthand for the following:      </p>      <pre>    -record(rec, {field1 :: Type1, field2 :: any(), field3 :: Type3}).</pre>      <p> -      In the presence of initial values for fields,  +      In the presence of initial values for fields,        the type must be declared after the initialization, as follows:      </p>      <pre> @@ -409,12 +413,12 @@        The initial values for fields are to be compatible        with (that is, a member of) the corresponding types.        This is checked by the compiler and results in a compilation error -      if a violation is detected.  +      if a violation is detected.      </p>      <note>        <p>Before Erlang/OTP 19, for fields without initial values,        the singleton type <c>'undefined'</c> was added to all declared types. -      In other words, the following two record declarations had identical  +      In other words, the following two record declarations had identical        effects:</p>      <pre>    -record(rec, {f1 = 42 :: integer(), @@ -430,22 +434,22 @@      </p>      </note>      <p> -      Any record, containing type information or not, once defined,  +      Any record, containing type information or not, once defined,        can be used as a type using the following syntax:      </p>      <pre>  #rec{}</pre>      <p> -      In addition, the record fields can be further specified when using  +      In addition, the record fields can be further specified when using        a record type by adding type information about the field        as follows:      </p>      <pre>  #rec{some_field :: Type}</pre>      <p> -      Any unspecified fields are assumed to have the type in the original  +      Any unspecified fields are assumed to have the type in the original        record declaration.      </p>    </section> -	 +    <section>      <title>Specifications for Functions</title>      <p> @@ -459,9 +463,9 @@        else a compilation error occurs.      </p>      <p> -      This form can also be used in header files (.hrl) to declare type  -      information for exported functions.  -      Then these header files can be included in files that (implicitly or  +      This form can also be used in header files (.hrl) to declare type +      information for exported functions. +      Then these header files can be included in files that (implicitly or        explicitly) import these functions.      </p>      <p> @@ -475,14 +479,14 @@      <pre>    -spec Function(ArgName1 :: Type1, ..., ArgNameN :: TypeN) -> RT.</pre>      <p> -      A function specification can be overloaded.  +      A function specification can be overloaded.        That is, it can have several types, separated by a semicolon (<c>;</c>):      </p>      <pre>    -spec foo(T1, T2) -> T3           ; (T4, T5) -> T6.</pre>      <p> -      A current restriction, which currently results in a warning  +      A current restriction, which currently results in a warning        (not an error) by the compiler, is that the domains of        the argument types cannot overlap.        For example, the following specification results in a warning: @@ -491,9 +495,9 @@    -spec foo(pos_integer()) -> pos_integer()           ; (integer()) -> integer().</pre>      <p> -      Type variables can be used in specifications to specify relations for  -      the input and output arguments of a function.  -      For example, the following specification defines the type of a  +      Type variables can be used in specifications to specify relations for +      the input and output arguments of a function. +      For example, the following specification defines the type of a        polymorphic identity function:      </p>      <pre> @@ -542,8 +546,8 @@    -spec foo({X, integer()}) -> X when X :: atom()           ; ([Y]) -> Y when Y :: number().</pre>      <p> -      Some functions in Erlang are not meant to return;  -      either because they define servers or because they are used to  +      Some functions in Erlang are not meant to return; +      either because they define servers or because they are used to        throw exceptions, as in the following function:      </p>      <pre>  my_error(Err) -> erlang:throw({error, Err}).</pre> @@ -555,4 +559,3 @@      <pre>  -spec my_error(term()) -> no_return().</pre>    </section>  </chapter> - diff --git a/system/doc/tutorial/c_portdriver.xmlsrc b/system/doc/tutorial/c_portdriver.xmlsrc index 933e2395a3..da680642b6 100644 --- a/system/doc/tutorial/c_portdriver.xmlsrc +++ b/system/doc/tutorial/c_portdriver.xmlsrc @@ -161,8 +161,8 @@ decode([Int]) -> Int.</pre>      <title>Running the Example</title>      <p><em>Step 1.</em> Compile the C code:</p>      <pre> -unix> <input>gcc -o exampledrv -fpic -shared complex.c port_driver.c</input> -windows> <input>cl -LD -MD -Fe exampledrv.dll complex.c port_driver.c</input></pre> +unix> <input>gcc -o example_drv.so -fpic -shared complex.c port_driver.c</input> +windows> <input>cl -LD -MD -Fe example_drv.dll complex.c port_driver.c</input></pre>      <p><em>Step 2.</em> Start Erlang and compile the Erlang code:</p>      <pre>  > <input>erl</input> | 
